loader.py 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508
  1. """Loading unittests."""
  2. import os
  3. import re
  4. import sys
  5. import traceback
  6. import types
  7. import functools
  8. import warnings
  9. from fnmatch import fnmatch
  10. from . import case, suite, util
  11. __unittest = True
  12. # what about .pyc (etc)
  13. # we would need to avoid loading the same tests multiple times
  14. # from '.py', *and* '.pyc'
  15. VALID_MODULE_NAME = re.compile(r'[_a-z]\w*\.py$', re.IGNORECASE)
  16. class _FailedTest(case.TestCase):
  17. _testMethodName = None
  18. def __init__(self, method_name, exception):
  19. self._exception = exception
  20. super(_FailedTest, self).__init__(method_name)
  21. def __getattr__(self, name):
  22. if name != self._testMethodName:
  23. return super(_FailedTest, self).__getattr__(name)
  24. def testFailure():
  25. raise self._exception
  26. return testFailure
  27. def _make_failed_import_test(name, suiteClass):
  28. message = 'Failed to import test module: %s\n%s' % (
  29. name, traceback.format_exc())
  30. return _make_failed_test(name, ImportError(message), suiteClass, message)
  31. def _make_failed_load_tests(name, exception, suiteClass):
  32. message = 'Failed to call load_tests:\n%s' % (traceback.format_exc(),)
  33. return _make_failed_test(
  34. name, exception, suiteClass, message)
  35. def _make_failed_test(methodname, exception, suiteClass, message):
  36. test = _FailedTest(methodname, exception)
  37. return suiteClass((test,)), message
  38. def _make_skipped_test(methodname, exception, suiteClass):
  39. @case.skip(str(exception))
  40. def testSkipped(self):
  41. pass
  42. attrs = {methodname: testSkipped}
  43. TestClass = type("ModuleSkipped", (case.TestCase,), attrs)
  44. return suiteClass((TestClass(methodname),))
  45. def _jython_aware_splitext(path):
  46. if path.lower().endswith('$py.class'):
  47. return path[:-9]
  48. return os.path.splitext(path)[0]
  49. class TestLoader(object):
  50. """
  51. This class is responsible for loading tests according to various criteria
  52. and returning them wrapped in a TestSuite
  53. """
  54. testMethodPrefix = 'test'
  55. sortTestMethodsUsing = staticmethod(util.three_way_cmp)
  56. suiteClass = suite.TestSuite
  57. _top_level_dir = None
  58. def __init__(self):
  59. super(TestLoader, self).__init__()
  60. self.errors = []
  61. # Tracks packages which we have called into via load_tests, to
  62. # avoid infinite re-entrancy.
  63. self._loading_packages = set()
  64. def loadTestsFromTestCase(self, testCaseClass):
  65. """Return a suite of all tests cases contained in testCaseClass"""
  66. if issubclass(testCaseClass, suite.TestSuite):
  67. raise TypeError("Test cases should not be derived from "
  68. "TestSuite. Maybe you meant to derive from "
  69. "TestCase?")
  70. testCaseNames = self.getTestCaseNames(testCaseClass)
  71. if not testCaseNames and hasattr(testCaseClass, 'runTest'):
  72. testCaseNames = ['runTest']
  73. loaded_suite = self.suiteClass(map(testCaseClass, testCaseNames))
  74. return loaded_suite
  75. # XXX After Python 3.5, remove backward compatibility hacks for
  76. # use_load_tests deprecation via *args and **kws. See issue 16662.
  77. def loadTestsFromModule(self, module, *args, pattern=None, **kws):
  78. """Return a suite of all tests cases contained in the given module"""
  79. # This method used to take an undocumented and unofficial
  80. # use_load_tests argument. For backward compatibility, we still
  81. # accept the argument (which can also be the first position) but we
  82. # ignore it and issue a deprecation warning if it's present.
  83. if len(args) > 0 or 'use_load_tests' in kws:
  84. warnings.warn('use_load_tests is deprecated and ignored',
  85. DeprecationWarning)
  86. kws.pop('use_load_tests', None)
  87. if len(args) > 1:
  88. # Complain about the number of arguments, but don't forget the
  89. # required `module` argument.
  90. complaint = len(args) + 1
  91. raise TypeError('loadTestsFromModule() takes 1 positional argument but {} were given'.format(complaint))
  92. if len(kws) != 0:
  93. # Since the keyword arguments are unsorted (see PEP 468), just
  94. # pick the alphabetically sorted first argument to complain about,
  95. # if multiple were given. At least the error message will be
  96. # predictable.
  97. complaint = sorted(kws)[0]
  98. raise TypeError("loadTestsFromModule() got an unexpected keyword argument '{}'".format(complaint))
  99. tests = []
  100. for name in dir(module):
  101. obj = getattr(module, name)
  102. if isinstance(obj, type) and issubclass(obj, case.TestCase):
  103. tests.append(self.loadTestsFromTestCase(obj))
  104. load_tests = getattr(module, 'load_tests', None)
  105. tests = self.suiteClass(tests)
  106. if load_tests is not None:
  107. try:
  108. return load_tests(self, tests, pattern)
  109. except Exception as e:
  110. error_case, error_message = _make_failed_load_tests(
  111. module.__name__, e, self.suiteClass)
  112. self.errors.append(error_message)
  113. return error_case
  114. return tests
  115. def loadTestsFromName(self, name, module=None):
  116. """Return a suite of all tests cases given a string specifier.
  117. The name may resolve either to a module, a test case class, a
  118. test method within a test case class, or a callable object which
  119. returns a TestCase or TestSuite instance.
  120. The method optionally resolves the names relative to a given module.
  121. """
  122. parts = name.split('.')
  123. error_case, error_message = None, None
  124. if module is None:
  125. parts_copy = parts[:]
  126. while parts_copy:
  127. try:
  128. module_name = '.'.join(parts_copy)
  129. module = __import__(module_name)
  130. break
  131. except ImportError:
  132. next_attribute = parts_copy.pop()
  133. # Last error so we can give it to the user if needed.
  134. error_case, error_message = _make_failed_import_test(
  135. next_attribute, self.suiteClass)
  136. if not parts_copy:
  137. # Even the top level import failed: report that error.
  138. self.errors.append(error_message)
  139. return error_case
  140. parts = parts[1:]
  141. obj = module
  142. for part in parts:
  143. try:
  144. parent, obj = obj, getattr(obj, part)
  145. except AttributeError as e:
  146. # We can't traverse some part of the name.
  147. if (getattr(obj, '__path__', None) is not None
  148. and error_case is not None):
  149. # This is a package (no __path__ per importlib docs), and we
  150. # encountered an error importing something. We cannot tell
  151. # the difference between package.WrongNameTestClass and
  152. # package.wrong_module_name so we just report the
  153. # ImportError - it is more informative.
  154. self.errors.append(error_message)
  155. return error_case
  156. else:
  157. # Otherwise, we signal that an AttributeError has occurred.
  158. error_case, error_message = _make_failed_test(
  159. part, e, self.suiteClass,
  160. 'Failed to access attribute:\n%s' % (
  161. traceback.format_exc(),))
  162. self.errors.append(error_message)
  163. return error_case
  164. if isinstance(obj, types.ModuleType):
  165. return self.loadTestsFromModule(obj)
  166. elif isinstance(obj, type) and issubclass(obj, case.TestCase):
  167. return self.loadTestsFromTestCase(obj)
  168. elif (isinstance(obj, types.FunctionType) and
  169. isinstance(parent, type) and
  170. issubclass(parent, case.TestCase)):
  171. name = parts[-1]
  172. inst = parent(name)
  173. # static methods follow a different path
  174. if not isinstance(getattr(inst, name), types.FunctionType):
  175. return self.suiteClass([inst])
  176. elif isinstance(obj, suite.TestSuite):
  177. return obj
  178. if callable(obj):
  179. test = obj()
  180. if isinstance(test, suite.TestSuite):
  181. return test
  182. elif isinstance(test, case.TestCase):
  183. return self.suiteClass([test])
  184. else:
  185. raise TypeError("calling %s returned %s, not a test" %
  186. (obj, test))
  187. else:
  188. raise TypeError("don't know how to make test from: %s" % obj)
  189. def loadTestsFromNames(self, names, module=None):
  190. """Return a suite of all tests cases found using the given sequence
  191. of string specifiers. See 'loadTestsFromName()'.
  192. """
  193. suites = [self.loadTestsFromName(name, module) for name in names]
  194. return self.suiteClass(suites)
  195. def getTestCaseNames(self, testCaseClass):
  196. """Return a sorted sequence of method names found within testCaseClass
  197. """
  198. def isTestMethod(attrname, testCaseClass=testCaseClass,
  199. prefix=self.testMethodPrefix):
  200. return attrname.startswith(prefix) and \
  201. callable(getattr(testCaseClass, attrname))
  202. testFnNames = list(filter(isTestMethod, dir(testCaseClass)))
  203. if self.sortTestMethodsUsing:
  204. testFnNames.sort(key=functools.cmp_to_key(self.sortTestMethodsUsing))
  205. return testFnNames
  206. def discover(self, start_dir, pattern='test*.py', top_level_dir=None):
  207. """Find and return all test modules from the specified start
  208. directory, recursing into subdirectories to find them and return all
  209. tests found within them. Only test files that match the pattern will
  210. be loaded. (Using shell style pattern matching.)
  211. All test modules must be importable from the top level of the project.
  212. If the start directory is not the top level directory then the top
  213. level directory must be specified separately.
  214. If a test package name (directory with '__init__.py') matches the
  215. pattern then the package will be checked for a 'load_tests' function. If
  216. this exists then it will be called with (loader, tests, pattern) unless
  217. the package has already had load_tests called from the same discovery
  218. invocation, in which case the package module object is not scanned for
  219. tests - this ensures that when a package uses discover to further
  220. discover child tests that infinite recursion does not happen.
  221. If load_tests exists then discovery does *not* recurse into the package,
  222. load_tests is responsible for loading all tests in the package.
  223. The pattern is deliberately not stored as a loader attribute so that
  224. packages can continue discovery themselves. top_level_dir is stored so
  225. load_tests does not need to pass this argument in to loader.discover().
  226. Paths are sorted before being imported to ensure reproducible execution
  227. order even on filesystems with non-alphabetical ordering like ext3/4.
  228. """
  229. set_implicit_top = False
  230. if top_level_dir is None and self._top_level_dir is not None:
  231. # make top_level_dir optional if called from load_tests in a package
  232. top_level_dir = self._top_level_dir
  233. elif top_level_dir is None:
  234. set_implicit_top = True
  235. top_level_dir = start_dir
  236. top_level_dir = os.path.abspath(top_level_dir)
  237. if not top_level_dir in sys.path:
  238. # all test modules must be importable from the top level directory
  239. # should we *unconditionally* put the start directory in first
  240. # in sys.path to minimise likelihood of conflicts between installed
  241. # modules and development versions?
  242. sys.path.insert(0, top_level_dir)
  243. self._top_level_dir = top_level_dir
  244. is_not_importable = False
  245. is_namespace = False
  246. tests = []
  247. if os.path.isdir(os.path.abspath(start_dir)):
  248. start_dir = os.path.abspath(start_dir)
  249. if start_dir != top_level_dir:
  250. is_not_importable = not os.path.isfile(os.path.join(start_dir, '__init__.py'))
  251. else:
  252. # support for discovery from dotted module names
  253. try:
  254. __import__(start_dir)
  255. except ImportError:
  256. is_not_importable = True
  257. else:
  258. the_module = sys.modules[start_dir]
  259. top_part = start_dir.split('.')[0]
  260. try:
  261. start_dir = os.path.abspath(
  262. os.path.dirname((the_module.__file__)))
  263. except AttributeError:
  264. # look for namespace packages
  265. try:
  266. spec = the_module.__spec__
  267. except AttributeError:
  268. spec = None
  269. if spec and spec.loader is None:
  270. if spec.submodule_search_locations is not None:
  271. is_namespace = True
  272. for path in the_module.__path__:
  273. if (not set_implicit_top and
  274. not path.startswith(top_level_dir)):
  275. continue
  276. self._top_level_dir = \
  277. (path.split(the_module.__name__
  278. .replace(".", os.path.sep))[0])
  279. tests.extend(self._find_tests(path,
  280. pattern,
  281. namespace=True))
  282. elif the_module.__name__ in sys.builtin_module_names:
  283. # builtin module
  284. raise TypeError('Can not use builtin modules '
  285. 'as dotted module names') from None
  286. else:
  287. raise TypeError(
  288. 'don\'t know how to discover from {!r}'
  289. .format(the_module)) from None
  290. if set_implicit_top:
  291. if not is_namespace:
  292. self._top_level_dir = \
  293. self._get_directory_containing_module(top_part)
  294. sys.path.remove(top_level_dir)
  295. else:
  296. sys.path.remove(top_level_dir)
  297. if is_not_importable:
  298. raise ImportError('Start directory is not importable: %r' % start_dir)
  299. if not is_namespace:
  300. tests = list(self._find_tests(start_dir, pattern))
  301. return self.suiteClass(tests)
  302. def _get_directory_containing_module(self, module_name):
  303. module = sys.modules[module_name]
  304. full_path = os.path.abspath(module.__file__)
  305. if os.path.basename(full_path).lower().startswith('__init__.py'):
  306. return os.path.dirname(os.path.dirname(full_path))
  307. else:
  308. # here we have been given a module rather than a package - so
  309. # all we can do is search the *same* directory the module is in
  310. # should an exception be raised instead
  311. return os.path.dirname(full_path)
  312. def _get_name_from_path(self, path):
  313. if path == self._top_level_dir:
  314. return '.'
  315. path = _jython_aware_splitext(os.path.normpath(path))
  316. _relpath = os.path.relpath(path, self._top_level_dir)
  317. assert not os.path.isabs(_relpath), "Path must be within the project"
  318. assert not _relpath.startswith('..'), "Path must be within the project"
  319. name = _relpath.replace(os.path.sep, '.')
  320. return name
  321. def _get_module_from_name(self, name):
  322. __import__(name)
  323. return sys.modules[name]
  324. def _match_path(self, path, full_path, pattern):
  325. # override this method to use alternative matching strategy
  326. return fnmatch(path, pattern)
  327. def _find_tests(self, start_dir, pattern, namespace=False):
  328. """Used by discovery. Yields test suites it loads."""
  329. # Handle the __init__ in this package
  330. name = self._get_name_from_path(start_dir)
  331. # name is '.' when start_dir == top_level_dir (and top_level_dir is by
  332. # definition not a package).
  333. if name != '.' and name not in self._loading_packages:
  334. # name is in self._loading_packages while we have called into
  335. # loadTestsFromModule with name.
  336. tests, should_recurse = self._find_test_path(
  337. start_dir, pattern, namespace)
  338. if tests is not None:
  339. yield tests
  340. if not should_recurse:
  341. # Either an error occurred, or load_tests was used by the
  342. # package.
  343. return
  344. # Handle the contents.
  345. paths = sorted(os.listdir(start_dir))
  346. for path in paths:
  347. full_path = os.path.join(start_dir, path)
  348. tests, should_recurse = self._find_test_path(
  349. full_path, pattern, namespace)
  350. if tests is not None:
  351. yield tests
  352. if should_recurse:
  353. # we found a package that didn't use load_tests.
  354. name = self._get_name_from_path(full_path)
  355. self._loading_packages.add(name)
  356. try:
  357. yield from self._find_tests(full_path, pattern, namespace)
  358. finally:
  359. self._loading_packages.discard(name)
  360. def _find_test_path(self, full_path, pattern, namespace=False):
  361. """Used by discovery.
  362. Loads tests from a single file, or a directories' __init__.py when
  363. passed the directory.
  364. Returns a tuple (None_or_tests_from_file, should_recurse).
  365. """
  366. basename = os.path.basename(full_path)
  367. if os.path.isfile(full_path):
  368. if not VALID_MODULE_NAME.match(basename):
  369. # valid Python identifiers only
  370. return None, False
  371. if not self._match_path(basename, full_path, pattern):
  372. return None, False
  373. # if the test file matches, load it
  374. name = self._get_name_from_path(full_path)
  375. try:
  376. module = self._get_module_from_name(name)
  377. except case.SkipTest as e:
  378. return _make_skipped_test(name, e, self.suiteClass), False
  379. except:
  380. error_case, error_message = \
  381. _make_failed_import_test(name, self.suiteClass)
  382. self.errors.append(error_message)
  383. return error_case, False
  384. else:
  385. mod_file = os.path.abspath(
  386. getattr(module, '__file__', full_path))
  387. realpath = _jython_aware_splitext(
  388. os.path.realpath(mod_file))
  389. fullpath_noext = _jython_aware_splitext(
  390. os.path.realpath(full_path))
  391. if realpath.lower() != fullpath_noext.lower():
  392. module_dir = os.path.dirname(realpath)
  393. mod_name = _jython_aware_splitext(
  394. os.path.basename(full_path))
  395. expected_dir = os.path.dirname(full_path)
  396. msg = ("%r module incorrectly imported from %r. Expected "
  397. "%r. Is this module globally installed?")
  398. raise ImportError(
  399. msg % (mod_name, module_dir, expected_dir))
  400. return self.loadTestsFromModule(module, pattern=pattern), False
  401. elif os.path.isdir(full_path):
  402. if (not namespace and
  403. not os.path.isfile(os.path.join(full_path, '__init__.py'))):
  404. return None, False
  405. load_tests = None
  406. tests = None
  407. name = self._get_name_from_path(full_path)
  408. try:
  409. package = self._get_module_from_name(name)
  410. except case.SkipTest as e:
  411. return _make_skipped_test(name, e, self.suiteClass), False
  412. except:
  413. error_case, error_message = \
  414. _make_failed_import_test(name, self.suiteClass)
  415. self.errors.append(error_message)
  416. return error_case, False
  417. else:
  418. load_tests = getattr(package, 'load_tests', None)
  419. # Mark this package as being in load_tests (possibly ;))
  420. self._loading_packages.add(name)
  421. try:
  422. tests = self.loadTestsFromModule(package, pattern=pattern)
  423. if load_tests is not None:
  424. # loadTestsFromModule(package) has loaded tests for us.
  425. return tests, False
  426. return tests, True
  427. finally:
  428. self._loading_packages.discard(name)
  429. else:
  430. return None, False
  431. defaultTestLoader = TestLoader()
  432. def _makeLoader(prefix, sortUsing, suiteClass=None):
  433. loader = TestLoader()
  434. loader.sortTestMethodsUsing = sortUsing
  435. loader.testMethodPrefix = prefix
  436. if suiteClass:
  437. loader.suiteClass = suiteClass
  438. return loader
  439. def getTestCaseNames(testCaseClass, prefix, sortUsing=util.three_way_cmp):
  440. return _makeLoader(prefix, sortUsing).getTestCaseNames(testCaseClass)
  441. def makeSuite(testCaseClass, prefix='test', sortUsing=util.three_way_cmp,
  442. suiteClass=suite.TestSuite):
  443. return _makeLoader(prefix, sortUsing, suiteClass).loadTestsFromTestCase(
  444. testCaseClass)
  445. def findTestCases(module, prefix='test', sortUsing=util.three_way_cmp,
  446. suiteClass=suite.TestSuite):
  447. return _makeLoader(prefix, sortUsing, suiteClass).loadTestsFromModule(\
  448. module)