case.py 55 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191119211931194119511961197119811991200120112021203120412051206120712081209121012111212121312141215121612171218121912201221122212231224122512261227122812291230123112321233123412351236123712381239124012411242124312441245124612471248124912501251125212531254125512561257125812591260126112621263126412651266126712681269127012711272127312741275127612771278127912801281128212831284128512861287128812891290129112921293129412951296129712981299130013011302130313041305130613071308130913101311131213131314131513161317131813191320132113221323132413251326132713281329133013311332133313341335133613371338133913401341134213431344134513461347134813491350135113521353135413551356135713581359136013611362136313641365136613671368136913701371137213731374137513761377137813791380138113821383138413851386138713881389139013911392139313941395139613971398139914001401140214031404140514061407140814091410141114121413141414151416141714181419
  1. """Test case implementation"""
  2. import sys
  3. import functools
  4. import difflib
  5. import logging
  6. import pprint
  7. import re
  8. import warnings
  9. import collections
  10. import contextlib
  11. import traceback
  12. from . import result
  13. from .util import (strclass, safe_repr, _count_diff_all_purpose,
  14. _count_diff_hashable, _common_shorten_repr)
  15. __unittest = True
  16. DIFF_OMITTED = ('\nDiff is %s characters long. '
  17. 'Set self.maxDiff to None to see it.')
  18. class SkipTest(Exception):
  19. """
  20. Raise this exception in a test to skip it.
  21. Usually you can use TestCase.skipTest() or one of the skipping decorators
  22. instead of raising this directly.
  23. """
  24. class _ShouldStop(Exception):
  25. """
  26. The test should stop.
  27. """
  28. class _UnexpectedSuccess(Exception):
  29. """
  30. The test was supposed to fail, but it didn't!
  31. """
  32. class _Outcome(object):
  33. def __init__(self, result=None):
  34. self.expecting_failure = False
  35. self.result = result
  36. self.result_supports_subtests = hasattr(result, "addSubTest")
  37. self.success = True
  38. self.skipped = []
  39. self.expectedFailure = None
  40. self.errors = []
  41. @contextlib.contextmanager
  42. def testPartExecutor(self, test_case, isTest=False):
  43. old_success = self.success
  44. self.success = True
  45. try:
  46. yield
  47. except KeyboardInterrupt:
  48. raise
  49. except SkipTest as e:
  50. self.success = False
  51. self.skipped.append((test_case, str(e)))
  52. except _ShouldStop:
  53. pass
  54. except:
  55. exc_info = sys.exc_info()
  56. if self.expecting_failure:
  57. self.expectedFailure = exc_info
  58. else:
  59. self.success = False
  60. self.errors.append((test_case, exc_info))
  61. # explicitly break a reference cycle:
  62. # exc_info -> frame -> exc_info
  63. exc_info = None
  64. else:
  65. if self.result_supports_subtests and self.success:
  66. self.errors.append((test_case, None))
  67. finally:
  68. self.success = self.success and old_success
  69. def _id(obj):
  70. return obj
  71. def skip(reason):
  72. """
  73. Unconditionally skip a test.
  74. """
  75. def decorator(test_item):
  76. if not isinstance(test_item, type):
  77. @functools.wraps(test_item)
  78. def skip_wrapper(*args, **kwargs):
  79. raise SkipTest(reason)
  80. test_item = skip_wrapper
  81. test_item.__unittest_skip__ = True
  82. test_item.__unittest_skip_why__ = reason
  83. return test_item
  84. return decorator
  85. def skipIf(condition, reason):
  86. """
  87. Skip a test if the condition is true.
  88. """
  89. if condition:
  90. return skip(reason)
  91. return _id
  92. def skipUnless(condition, reason):
  93. """
  94. Skip a test unless the condition is true.
  95. """
  96. if not condition:
  97. return skip(reason)
  98. return _id
  99. def expectedFailure(test_item):
  100. test_item.__unittest_expecting_failure__ = True
  101. return test_item
  102. def _is_subtype(expected, basetype):
  103. if isinstance(expected, tuple):
  104. return all(_is_subtype(e, basetype) for e in expected)
  105. return isinstance(expected, type) and issubclass(expected, basetype)
  106. class _BaseTestCaseContext:
  107. def __init__(self, test_case):
  108. self.test_case = test_case
  109. def _raiseFailure(self, standardMsg):
  110. msg = self.test_case._formatMessage(self.msg, standardMsg)
  111. raise self.test_case.failureException(msg)
  112. class _AssertRaisesBaseContext(_BaseTestCaseContext):
  113. def __init__(self, expected, test_case, expected_regex=None):
  114. _BaseTestCaseContext.__init__(self, test_case)
  115. self.expected = expected
  116. self.test_case = test_case
  117. if expected_regex is not None:
  118. expected_regex = re.compile(expected_regex)
  119. self.expected_regex = expected_regex
  120. self.obj_name = None
  121. self.msg = None
  122. def handle(self, name, args, kwargs):
  123. """
  124. If args is empty, assertRaises/Warns is being used as a
  125. context manager, so check for a 'msg' kwarg and return self.
  126. If args is not empty, call a callable passing positional and keyword
  127. arguments.
  128. """
  129. if not _is_subtype(self.expected, self._base_type):
  130. raise TypeError('%s() arg 1 must be %s' %
  131. (name, self._base_type_str))
  132. if args and args[0] is None:
  133. warnings.warn("callable is None",
  134. DeprecationWarning, 3)
  135. args = ()
  136. if not args:
  137. self.msg = kwargs.pop('msg', None)
  138. if kwargs:
  139. warnings.warn('%r is an invalid keyword argument for '
  140. 'this function' % next(iter(kwargs)),
  141. DeprecationWarning, 3)
  142. return self
  143. callable_obj, *args = args
  144. try:
  145. self.obj_name = callable_obj.__name__
  146. except AttributeError:
  147. self.obj_name = str(callable_obj)
  148. with self:
  149. callable_obj(*args, **kwargs)
  150. class _AssertRaisesContext(_AssertRaisesBaseContext):
  151. """A context manager used to implement TestCase.assertRaises* methods."""
  152. _base_type = BaseException
  153. _base_type_str = 'an exception type or tuple of exception types'
  154. def __enter__(self):
  155. return self
  156. def __exit__(self, exc_type, exc_value, tb):
  157. if exc_type is None:
  158. try:
  159. exc_name = self.expected.__name__
  160. except AttributeError:
  161. exc_name = str(self.expected)
  162. if self.obj_name:
  163. self._raiseFailure("{} not raised by {}".format(exc_name,
  164. self.obj_name))
  165. else:
  166. self._raiseFailure("{} not raised".format(exc_name))
  167. else:
  168. traceback.clear_frames(tb)
  169. if not issubclass(exc_type, self.expected):
  170. # let unexpected exceptions pass through
  171. return False
  172. # store exception, without traceback, for later retrieval
  173. self.exception = exc_value.with_traceback(None)
  174. if self.expected_regex is None:
  175. return True
  176. expected_regex = self.expected_regex
  177. if not expected_regex.search(str(exc_value)):
  178. self._raiseFailure('"{}" does not match "{}"'.format(
  179. expected_regex.pattern, str(exc_value)))
  180. return True
  181. class _AssertWarnsContext(_AssertRaisesBaseContext):
  182. """A context manager used to implement TestCase.assertWarns* methods."""
  183. _base_type = Warning
  184. _base_type_str = 'a warning type or tuple of warning types'
  185. def __enter__(self):
  186. # The __warningregistry__'s need to be in a pristine state for tests
  187. # to work properly.
  188. for v in sys.modules.values():
  189. if getattr(v, '__warningregistry__', None):
  190. v.__warningregistry__ = {}
  191. self.warnings_manager = warnings.catch_warnings(record=True)
  192. self.warnings = self.warnings_manager.__enter__()
  193. warnings.simplefilter("always", self.expected)
  194. return self
  195. def __exit__(self, exc_type, exc_value, tb):
  196. self.warnings_manager.__exit__(exc_type, exc_value, tb)
  197. if exc_type is not None:
  198. # let unexpected exceptions pass through
  199. return
  200. try:
  201. exc_name = self.expected.__name__
  202. except AttributeError:
  203. exc_name = str(self.expected)
  204. first_matching = None
  205. for m in self.warnings:
  206. w = m.message
  207. if not isinstance(w, self.expected):
  208. continue
  209. if first_matching is None:
  210. first_matching = w
  211. if (self.expected_regex is not None and
  212. not self.expected_regex.search(str(w))):
  213. continue
  214. # store warning for later retrieval
  215. self.warning = w
  216. self.filename = m.filename
  217. self.lineno = m.lineno
  218. return
  219. # Now we simply try to choose a helpful failure message
  220. if first_matching is not None:
  221. self._raiseFailure('"{}" does not match "{}"'.format(
  222. self.expected_regex.pattern, str(first_matching)))
  223. if self.obj_name:
  224. self._raiseFailure("{} not triggered by {}".format(exc_name,
  225. self.obj_name))
  226. else:
  227. self._raiseFailure("{} not triggered".format(exc_name))
  228. _LoggingWatcher = collections.namedtuple("_LoggingWatcher",
  229. ["records", "output"])
  230. class _CapturingHandler(logging.Handler):
  231. """
  232. A logging handler capturing all (raw and formatted) logging output.
  233. """
  234. def __init__(self):
  235. logging.Handler.__init__(self)
  236. self.watcher = _LoggingWatcher([], [])
  237. def flush(self):
  238. pass
  239. def emit(self, record):
  240. self.watcher.records.append(record)
  241. msg = self.format(record)
  242. self.watcher.output.append(msg)
  243. class _AssertLogsContext(_BaseTestCaseContext):
  244. """A context manager used to implement TestCase.assertLogs()."""
  245. LOGGING_FORMAT = "%(levelname)s:%(name)s:%(message)s"
  246. def __init__(self, test_case, logger_name, level):
  247. _BaseTestCaseContext.__init__(self, test_case)
  248. self.logger_name = logger_name
  249. if level:
  250. self.level = logging._nameToLevel.get(level, level)
  251. else:
  252. self.level = logging.INFO
  253. self.msg = None
  254. def __enter__(self):
  255. if isinstance(self.logger_name, logging.Logger):
  256. logger = self.logger = self.logger_name
  257. else:
  258. logger = self.logger = logging.getLogger(self.logger_name)
  259. formatter = logging.Formatter(self.LOGGING_FORMAT)
  260. handler = _CapturingHandler()
  261. handler.setFormatter(formatter)
  262. self.watcher = handler.watcher
  263. self.old_handlers = logger.handlers[:]
  264. self.old_level = logger.level
  265. self.old_propagate = logger.propagate
  266. logger.handlers = [handler]
  267. logger.setLevel(self.level)
  268. logger.propagate = False
  269. return handler.watcher
  270. def __exit__(self, exc_type, exc_value, tb):
  271. self.logger.handlers = self.old_handlers
  272. self.logger.propagate = self.old_propagate
  273. self.logger.setLevel(self.old_level)
  274. if exc_type is not None:
  275. # let unexpected exceptions pass through
  276. return False
  277. if len(self.watcher.records) == 0:
  278. self._raiseFailure(
  279. "no logs of level {} or higher triggered on {}"
  280. .format(logging.getLevelName(self.level), self.logger.name))
  281. class TestCase(object):
  282. """A class whose instances are single test cases.
  283. By default, the test code itself should be placed in a method named
  284. 'runTest'.
  285. If the fixture may be used for many test cases, create as
  286. many test methods as are needed. When instantiating such a TestCase
  287. subclass, specify in the constructor arguments the name of the test method
  288. that the instance is to execute.
  289. Test authors should subclass TestCase for their own tests. Construction
  290. and deconstruction of the test's environment ('fixture') can be
  291. implemented by overriding the 'setUp' and 'tearDown' methods respectively.
  292. If it is necessary to override the __init__ method, the base class
  293. __init__ method must always be called. It is important that subclasses
  294. should not change the signature of their __init__ method, since instances
  295. of the classes are instantiated automatically by parts of the framework
  296. in order to be run.
  297. When subclassing TestCase, you can set these attributes:
  298. * failureException: determines which exception will be raised when
  299. the instance's assertion methods fail; test methods raising this
  300. exception will be deemed to have 'failed' rather than 'errored'.
  301. * longMessage: determines whether long messages (including repr of
  302. objects used in assert methods) will be printed on failure in *addition*
  303. to any explicit message passed.
  304. * maxDiff: sets the maximum length of a diff in failure messages
  305. by assert methods using difflib. It is looked up as an instance
  306. attribute so can be configured by individual tests if required.
  307. """
  308. failureException = AssertionError
  309. longMessage = True
  310. maxDiff = 80*8
  311. # If a string is longer than _diffThreshold, use normal comparison instead
  312. # of difflib. See #11763.
  313. _diffThreshold = 2**16
  314. # Attribute used by TestSuite for classSetUp
  315. _classSetupFailed = False
  316. def __init__(self, methodName='runTest'):
  317. """Create an instance of the class that will use the named test
  318. method when executed. Raises a ValueError if the instance does
  319. not have a method with the specified name.
  320. """
  321. self._testMethodName = methodName
  322. self._outcome = None
  323. self._testMethodDoc = 'No test'
  324. try:
  325. testMethod = getattr(self, methodName)
  326. except AttributeError:
  327. if methodName != 'runTest':
  328. # we allow instantiation with no explicit method name
  329. # but not an *incorrect* or missing method name
  330. raise ValueError("no such test method in %s: %s" %
  331. (self.__class__, methodName))
  332. else:
  333. self._testMethodDoc = testMethod.__doc__
  334. self._cleanups = []
  335. self._subtest = None
  336. # Map types to custom assertEqual functions that will compare
  337. # instances of said type in more detail to generate a more useful
  338. # error message.
  339. self._type_equality_funcs = {}
  340. self.addTypeEqualityFunc(dict, 'assertDictEqual')
  341. self.addTypeEqualityFunc(list, 'assertListEqual')
  342. self.addTypeEqualityFunc(tuple, 'assertTupleEqual')
  343. self.addTypeEqualityFunc(set, 'assertSetEqual')
  344. self.addTypeEqualityFunc(frozenset, 'assertSetEqual')
  345. self.addTypeEqualityFunc(str, 'assertMultiLineEqual')
  346. def addTypeEqualityFunc(self, typeobj, function):
  347. """Add a type specific assertEqual style function to compare a type.
  348. This method is for use by TestCase subclasses that need to register
  349. their own type equality functions to provide nicer error messages.
  350. Args:
  351. typeobj: The data type to call this function on when both values
  352. are of the same type in assertEqual().
  353. function: The callable taking two arguments and an optional
  354. msg= argument that raises self.failureException with a
  355. useful error message when the two arguments are not equal.
  356. """
  357. self._type_equality_funcs[typeobj] = function
  358. def addCleanup(self, function, *args, **kwargs):
  359. """Add a function, with arguments, to be called when the test is
  360. completed. Functions added are called on a LIFO basis and are
  361. called after tearDown on test failure or success.
  362. Cleanup items are called even if setUp fails (unlike tearDown)."""
  363. self._cleanups.append((function, args, kwargs))
  364. def setUp(self):
  365. "Hook method for setting up the test fixture before exercising it."
  366. pass
  367. def tearDown(self):
  368. "Hook method for deconstructing the test fixture after testing it."
  369. pass
  370. @classmethod
  371. def setUpClass(cls):
  372. "Hook method for setting up class fixture before running tests in the class."
  373. @classmethod
  374. def tearDownClass(cls):
  375. "Hook method for deconstructing the class fixture after running all tests in the class."
  376. def countTestCases(self):
  377. return 1
  378. def defaultTestResult(self):
  379. return result.TestResult()
  380. def shortDescription(self):
  381. """Returns a one-line description of the test, or None if no
  382. description has been provided.
  383. The default implementation of this method returns the first line of
  384. the specified test method's docstring.
  385. """
  386. doc = self._testMethodDoc
  387. return doc and doc.split("\n")[0].strip() or None
  388. def id(self):
  389. return "%s.%s" % (strclass(self.__class__), self._testMethodName)
  390. def __eq__(self, other):
  391. if type(self) is not type(other):
  392. return NotImplemented
  393. return self._testMethodName == other._testMethodName
  394. def __hash__(self):
  395. return hash((type(self), self._testMethodName))
  396. def __str__(self):
  397. return "%s (%s)" % (self._testMethodName, strclass(self.__class__))
  398. def __repr__(self):
  399. return "<%s testMethod=%s>" % \
  400. (strclass(self.__class__), self._testMethodName)
  401. def _addSkip(self, result, test_case, reason):
  402. addSkip = getattr(result, 'addSkip', None)
  403. if addSkip is not None:
  404. addSkip(test_case, reason)
  405. else:
  406. warnings.warn("TestResult has no addSkip method, skips not reported",
  407. RuntimeWarning, 2)
  408. result.addSuccess(test_case)
  409. @contextlib.contextmanager
  410. def subTest(self, msg=None, **params):
  411. """Return a context manager that will return the enclosed block
  412. of code in a subtest identified by the optional message and
  413. keyword parameters. A failure in the subtest marks the test
  414. case as failed but resumes execution at the end of the enclosed
  415. block, allowing further test code to be executed.
  416. """
  417. if not self._outcome.result_supports_subtests:
  418. yield
  419. return
  420. parent = self._subtest
  421. if parent is None:
  422. params_map = collections.ChainMap(params)
  423. else:
  424. params_map = parent.params.new_child(params)
  425. self._subtest = _SubTest(self, msg, params_map)
  426. try:
  427. with self._outcome.testPartExecutor(self._subtest, isTest=True):
  428. yield
  429. if not self._outcome.success:
  430. result = self._outcome.result
  431. if result is not None and result.failfast:
  432. raise _ShouldStop
  433. elif self._outcome.expectedFailure:
  434. # If the test is expecting a failure, we really want to
  435. # stop now and register the expected failure.
  436. raise _ShouldStop
  437. finally:
  438. self._subtest = parent
  439. def _feedErrorsToResult(self, result, errors):
  440. for test, exc_info in errors:
  441. if isinstance(test, _SubTest):
  442. result.addSubTest(test.test_case, test, exc_info)
  443. elif exc_info is not None:
  444. if issubclass(exc_info[0], self.failureException):
  445. result.addFailure(test, exc_info)
  446. else:
  447. result.addError(test, exc_info)
  448. def _addExpectedFailure(self, result, exc_info):
  449. try:
  450. addExpectedFailure = result.addExpectedFailure
  451. except AttributeError:
  452. warnings.warn("TestResult has no addExpectedFailure method, reporting as passes",
  453. RuntimeWarning)
  454. result.addSuccess(self)
  455. else:
  456. addExpectedFailure(self, exc_info)
  457. def _addUnexpectedSuccess(self, result):
  458. try:
  459. addUnexpectedSuccess = result.addUnexpectedSuccess
  460. except AttributeError:
  461. warnings.warn("TestResult has no addUnexpectedSuccess method, reporting as failure",
  462. RuntimeWarning)
  463. # We need to pass an actual exception and traceback to addFailure,
  464. # otherwise the legacy result can choke.
  465. try:
  466. raise _UnexpectedSuccess from None
  467. except _UnexpectedSuccess:
  468. result.addFailure(self, sys.exc_info())
  469. else:
  470. addUnexpectedSuccess(self)
  471. def run(self, result=None):
  472. orig_result = result
  473. if result is None:
  474. result = self.defaultTestResult()
  475. startTestRun = getattr(result, 'startTestRun', None)
  476. if startTestRun is not None:
  477. startTestRun()
  478. result.startTest(self)
  479. testMethod = getattr(self, self._testMethodName)
  480. if (getattr(self.__class__, "__unittest_skip__", False) or
  481. getattr(testMethod, "__unittest_skip__", False)):
  482. # If the class or method was skipped.
  483. try:
  484. skip_why = (getattr(self.__class__, '__unittest_skip_why__', '')
  485. or getattr(testMethod, '__unittest_skip_why__', ''))
  486. self._addSkip(result, self, skip_why)
  487. finally:
  488. result.stopTest(self)
  489. return
  490. expecting_failure_method = getattr(testMethod,
  491. "__unittest_expecting_failure__", False)
  492. expecting_failure_class = getattr(self,
  493. "__unittest_expecting_failure__", False)
  494. expecting_failure = expecting_failure_class or expecting_failure_method
  495. outcome = _Outcome(result)
  496. try:
  497. self._outcome = outcome
  498. with outcome.testPartExecutor(self):
  499. self.setUp()
  500. if outcome.success:
  501. outcome.expecting_failure = expecting_failure
  502. with outcome.testPartExecutor(self, isTest=True):
  503. testMethod()
  504. outcome.expecting_failure = False
  505. with outcome.testPartExecutor(self):
  506. self.tearDown()
  507. self.doCleanups()
  508. for test, reason in outcome.skipped:
  509. self._addSkip(result, test, reason)
  510. self._feedErrorsToResult(result, outcome.errors)
  511. if outcome.success:
  512. if expecting_failure:
  513. if outcome.expectedFailure:
  514. self._addExpectedFailure(result, outcome.expectedFailure)
  515. else:
  516. self._addUnexpectedSuccess(result)
  517. else:
  518. result.addSuccess(self)
  519. return result
  520. finally:
  521. result.stopTest(self)
  522. if orig_result is None:
  523. stopTestRun = getattr(result, 'stopTestRun', None)
  524. if stopTestRun is not None:
  525. stopTestRun()
  526. # explicitly break reference cycles:
  527. # outcome.errors -> frame -> outcome -> outcome.errors
  528. # outcome.expectedFailure -> frame -> outcome -> outcome.expectedFailure
  529. outcome.errors.clear()
  530. outcome.expectedFailure = None
  531. # clear the outcome, no more needed
  532. self._outcome = None
  533. def doCleanups(self):
  534. """Execute all cleanup functions. Normally called for you after
  535. tearDown."""
  536. outcome = self._outcome or _Outcome()
  537. while self._cleanups:
  538. function, args, kwargs = self._cleanups.pop()
  539. with outcome.testPartExecutor(self):
  540. function(*args, **kwargs)
  541. # return this for backwards compatibility
  542. # even though we no longer us it internally
  543. return outcome.success
  544. def __call__(self, *args, **kwds):
  545. return self.run(*args, **kwds)
  546. def debug(self):
  547. """Run the test without collecting errors in a TestResult"""
  548. self.setUp()
  549. getattr(self, self._testMethodName)()
  550. self.tearDown()
  551. while self._cleanups:
  552. function, args, kwargs = self._cleanups.pop(-1)
  553. function(*args, **kwargs)
  554. def skipTest(self, reason):
  555. """Skip this test."""
  556. raise SkipTest(reason)
  557. def fail(self, msg=None):
  558. """Fail immediately, with the given message."""
  559. raise self.failureException(msg)
  560. def assertFalse(self, expr, msg=None):
  561. """Check that the expression is false."""
  562. if expr:
  563. msg = self._formatMessage(msg, "%s is not false" % safe_repr(expr))
  564. raise self.failureException(msg)
  565. def assertTrue(self, expr, msg=None):
  566. """Check that the expression is true."""
  567. if not expr:
  568. msg = self._formatMessage(msg, "%s is not true" % safe_repr(expr))
  569. raise self.failureException(msg)
  570. def _formatMessage(self, msg, standardMsg):
  571. """Honour the longMessage attribute when generating failure messages.
  572. If longMessage is False this means:
  573. * Use only an explicit message if it is provided
  574. * Otherwise use the standard message for the assert
  575. If longMessage is True:
  576. * Use the standard message
  577. * If an explicit message is provided, plus ' : ' and the explicit message
  578. """
  579. if not self.longMessage:
  580. return msg or standardMsg
  581. if msg is None:
  582. return standardMsg
  583. try:
  584. # don't switch to '{}' formatting in Python 2.X
  585. # it changes the way unicode input is handled
  586. return '%s : %s' % (standardMsg, msg)
  587. except UnicodeDecodeError:
  588. return '%s : %s' % (safe_repr(standardMsg), safe_repr(msg))
  589. def assertRaises(self, expected_exception, *args, **kwargs):
  590. """Fail unless an exception of class expected_exception is raised
  591. by the callable when invoked with specified positional and
  592. keyword arguments. If a different type of exception is
  593. raised, it will not be caught, and the test case will be
  594. deemed to have suffered an error, exactly as for an
  595. unexpected exception.
  596. If called with the callable and arguments omitted, will return a
  597. context object used like this::
  598. with self.assertRaises(SomeException):
  599. do_something()
  600. An optional keyword argument 'msg' can be provided when assertRaises
  601. is used as a context object.
  602. The context manager keeps a reference to the exception as
  603. the 'exception' attribute. This allows you to inspect the
  604. exception after the assertion::
  605. with self.assertRaises(SomeException) as cm:
  606. do_something()
  607. the_exception = cm.exception
  608. self.assertEqual(the_exception.error_code, 3)
  609. """
  610. context = _AssertRaisesContext(expected_exception, self)
  611. return context.handle('assertRaises', args, kwargs)
  612. def assertWarns(self, expected_warning, *args, **kwargs):
  613. """Fail unless a warning of class warnClass is triggered
  614. by the callable when invoked with specified positional and
  615. keyword arguments. If a different type of warning is
  616. triggered, it will not be handled: depending on the other
  617. warning filtering rules in effect, it might be silenced, printed
  618. out, or raised as an exception.
  619. If called with the callable and arguments omitted, will return a
  620. context object used like this::
  621. with self.assertWarns(SomeWarning):
  622. do_something()
  623. An optional keyword argument 'msg' can be provided when assertWarns
  624. is used as a context object.
  625. The context manager keeps a reference to the first matching
  626. warning as the 'warning' attribute; similarly, the 'filename'
  627. and 'lineno' attributes give you information about the line
  628. of Python code from which the warning was triggered.
  629. This allows you to inspect the warning after the assertion::
  630. with self.assertWarns(SomeWarning) as cm:
  631. do_something()
  632. the_warning = cm.warning
  633. self.assertEqual(the_warning.some_attribute, 147)
  634. """
  635. context = _AssertWarnsContext(expected_warning, self)
  636. return context.handle('assertWarns', args, kwargs)
  637. def assertLogs(self, logger=None, level=None):
  638. """Fail unless a log message of level *level* or higher is emitted
  639. on *logger_name* or its children. If omitted, *level* defaults to
  640. INFO and *logger* defaults to the root logger.
  641. This method must be used as a context manager, and will yield
  642. a recording object with two attributes: `output` and `records`.
  643. At the end of the context manager, the `output` attribute will
  644. be a list of the matching formatted log messages and the
  645. `records` attribute will be a list of the corresponding LogRecord
  646. objects.
  647. Example::
  648. with self.assertLogs('foo', level='INFO') as cm:
  649. logging.getLogger('foo').info('first message')
  650. logging.getLogger('foo.bar').error('second message')
  651. self.assertEqual(cm.output, ['INFO:foo:first message',
  652. 'ERROR:foo.bar:second message'])
  653. """
  654. return _AssertLogsContext(self, logger, level)
  655. def _getAssertEqualityFunc(self, first, second):
  656. """Get a detailed comparison function for the types of the two args.
  657. Returns: A callable accepting (first, second, msg=None) that will
  658. raise a failure exception if first != second with a useful human
  659. readable error message for those types.
  660. """
  661. #
  662. # NOTE(gregory.p.smith): I considered isinstance(first, type(second))
  663. # and vice versa. I opted for the conservative approach in case
  664. # subclasses are not intended to be compared in detail to their super
  665. # class instances using a type equality func. This means testing
  666. # subtypes won't automagically use the detailed comparison. Callers
  667. # should use their type specific assertSpamEqual method to compare
  668. # subclasses if the detailed comparison is desired and appropriate.
  669. # See the discussion in http://bugs.python.org/issue2578.
  670. #
  671. if type(first) is type(second):
  672. asserter = self._type_equality_funcs.get(type(first))
  673. if asserter is not None:
  674. if isinstance(asserter, str):
  675. asserter = getattr(self, asserter)
  676. return asserter
  677. return self._baseAssertEqual
  678. def _baseAssertEqual(self, first, second, msg=None):
  679. """The default assertEqual implementation, not type specific."""
  680. if not first == second:
  681. standardMsg = '%s != %s' % _common_shorten_repr(first, second)
  682. msg = self._formatMessage(msg, standardMsg)
  683. raise self.failureException(msg)
  684. def assertEqual(self, first, second, msg=None):
  685. """Fail if the two objects are unequal as determined by the '=='
  686. operator.
  687. """
  688. assertion_func = self._getAssertEqualityFunc(first, second)
  689. assertion_func(first, second, msg=msg)
  690. def assertNotEqual(self, first, second, msg=None):
  691. """Fail if the two objects are equal as determined by the '!='
  692. operator.
  693. """
  694. if not first != second:
  695. msg = self._formatMessage(msg, '%s == %s' % (safe_repr(first),
  696. safe_repr(second)))
  697. raise self.failureException(msg)
  698. def assertAlmostEqual(self, first, second, places=None, msg=None,
  699. delta=None):
  700. """Fail if the two objects are unequal as determined by their
  701. difference rounded to the given number of decimal places
  702. (default 7) and comparing to zero, or by comparing that the
  703. between the two objects is more than the given delta.
  704. Note that decimal places (from zero) are usually not the same
  705. as significant digits (measured from the most signficant digit).
  706. If the two objects compare equal then they will automatically
  707. compare almost equal.
  708. """
  709. if first == second:
  710. # shortcut
  711. return
  712. if delta is not None and places is not None:
  713. raise TypeError("specify delta or places not both")
  714. if delta is not None:
  715. if abs(first - second) <= delta:
  716. return
  717. standardMsg = '%s != %s within %s delta' % (safe_repr(first),
  718. safe_repr(second),
  719. safe_repr(delta))
  720. else:
  721. if places is None:
  722. places = 7
  723. if round(abs(second-first), places) == 0:
  724. return
  725. standardMsg = '%s != %s within %r places' % (safe_repr(first),
  726. safe_repr(second),
  727. places)
  728. msg = self._formatMessage(msg, standardMsg)
  729. raise self.failureException(msg)
  730. def assertNotAlmostEqual(self, first, second, places=None, msg=None,
  731. delta=None):
  732. """Fail if the two objects are equal as determined by their
  733. difference rounded to the given number of decimal places
  734. (default 7) and comparing to zero, or by comparing that the
  735. between the two objects is less than the given delta.
  736. Note that decimal places (from zero) are usually not the same
  737. as significant digits (measured from the most signficant digit).
  738. Objects that are equal automatically fail.
  739. """
  740. if delta is not None and places is not None:
  741. raise TypeError("specify delta or places not both")
  742. if delta is not None:
  743. if not (first == second) and abs(first - second) > delta:
  744. return
  745. standardMsg = '%s == %s within %s delta' % (safe_repr(first),
  746. safe_repr(second),
  747. safe_repr(delta))
  748. else:
  749. if places is None:
  750. places = 7
  751. if not (first == second) and round(abs(second-first), places) != 0:
  752. return
  753. standardMsg = '%s == %s within %r places' % (safe_repr(first),
  754. safe_repr(second),
  755. places)
  756. msg = self._formatMessage(msg, standardMsg)
  757. raise self.failureException(msg)
  758. def assertSequenceEqual(self, seq1, seq2, msg=None, seq_type=None):
  759. """An equality assertion for ordered sequences (like lists and tuples).
  760. For the purposes of this function, a valid ordered sequence type is one
  761. which can be indexed, has a length, and has an equality operator.
  762. Args:
  763. seq1: The first sequence to compare.
  764. seq2: The second sequence to compare.
  765. seq_type: The expected datatype of the sequences, or None if no
  766. datatype should be enforced.
  767. msg: Optional message to use on failure instead of a list of
  768. differences.
  769. """
  770. if seq_type is not None:
  771. seq_type_name = seq_type.__name__
  772. if not isinstance(seq1, seq_type):
  773. raise self.failureException('First sequence is not a %s: %s'
  774. % (seq_type_name, safe_repr(seq1)))
  775. if not isinstance(seq2, seq_type):
  776. raise self.failureException('Second sequence is not a %s: %s'
  777. % (seq_type_name, safe_repr(seq2)))
  778. else:
  779. seq_type_name = "sequence"
  780. differing = None
  781. try:
  782. len1 = len(seq1)
  783. except (TypeError, NotImplementedError):
  784. differing = 'First %s has no length. Non-sequence?' % (
  785. seq_type_name)
  786. if differing is None:
  787. try:
  788. len2 = len(seq2)
  789. except (TypeError, NotImplementedError):
  790. differing = 'Second %s has no length. Non-sequence?' % (
  791. seq_type_name)
  792. if differing is None:
  793. if seq1 == seq2:
  794. return
  795. differing = '%ss differ: %s != %s\n' % (
  796. (seq_type_name.capitalize(),) +
  797. _common_shorten_repr(seq1, seq2))
  798. for i in range(min(len1, len2)):
  799. try:
  800. item1 = seq1[i]
  801. except (TypeError, IndexError, NotImplementedError):
  802. differing += ('\nUnable to index element %d of first %s\n' %
  803. (i, seq_type_name))
  804. break
  805. try:
  806. item2 = seq2[i]
  807. except (TypeError, IndexError, NotImplementedError):
  808. differing += ('\nUnable to index element %d of second %s\n' %
  809. (i, seq_type_name))
  810. break
  811. if item1 != item2:
  812. differing += ('\nFirst differing element %d:\n%s\n%s\n' %
  813. ((i,) + _common_shorten_repr(item1, item2)))
  814. break
  815. else:
  816. if (len1 == len2 and seq_type is None and
  817. type(seq1) != type(seq2)):
  818. # The sequences are the same, but have differing types.
  819. return
  820. if len1 > len2:
  821. differing += ('\nFirst %s contains %d additional '
  822. 'elements.\n' % (seq_type_name, len1 - len2))
  823. try:
  824. differing += ('First extra element %d:\n%s\n' %
  825. (len2, safe_repr(seq1[len2])))
  826. except (TypeError, IndexError, NotImplementedError):
  827. differing += ('Unable to index element %d '
  828. 'of first %s\n' % (len2, seq_type_name))
  829. elif len1 < len2:
  830. differing += ('\nSecond %s contains %d additional '
  831. 'elements.\n' % (seq_type_name, len2 - len1))
  832. try:
  833. differing += ('First extra element %d:\n%s\n' %
  834. (len1, safe_repr(seq2[len1])))
  835. except (TypeError, IndexError, NotImplementedError):
  836. differing += ('Unable to index element %d '
  837. 'of second %s\n' % (len1, seq_type_name))
  838. standardMsg = differing
  839. diffMsg = '\n' + '\n'.join(
  840. difflib.ndiff(pprint.pformat(seq1).splitlines(),
  841. pprint.pformat(seq2).splitlines()))
  842. standardMsg = self._truncateMessage(standardMsg, diffMsg)
  843. msg = self._formatMessage(msg, standardMsg)
  844. self.fail(msg)
  845. def _truncateMessage(self, message, diff):
  846. max_diff = self.maxDiff
  847. if max_diff is None or len(diff) <= max_diff:
  848. return message + diff
  849. return message + (DIFF_OMITTED % len(diff))
  850. def assertListEqual(self, list1, list2, msg=None):
  851. """A list-specific equality assertion.
  852. Args:
  853. list1: The first list to compare.
  854. list2: The second list to compare.
  855. msg: Optional message to use on failure instead of a list of
  856. differences.
  857. """
  858. self.assertSequenceEqual(list1, list2, msg, seq_type=list)
  859. def assertTupleEqual(self, tuple1, tuple2, msg=None):
  860. """A tuple-specific equality assertion.
  861. Args:
  862. tuple1: The first tuple to compare.
  863. tuple2: The second tuple to compare.
  864. msg: Optional message to use on failure instead of a list of
  865. differences.
  866. """
  867. self.assertSequenceEqual(tuple1, tuple2, msg, seq_type=tuple)
  868. def assertSetEqual(self, set1, set2, msg=None):
  869. """A set-specific equality assertion.
  870. Args:
  871. set1: The first set to compare.
  872. set2: The second set to compare.
  873. msg: Optional message to use on failure instead of a list of
  874. differences.
  875. assertSetEqual uses ducktyping to support different types of sets, and
  876. is optimized for sets specifically (parameters must support a
  877. difference method).
  878. """
  879. try:
  880. difference1 = set1.difference(set2)
  881. except TypeError as e:
  882. self.fail('invalid type when attempting set difference: %s' % e)
  883. except AttributeError as e:
  884. self.fail('first argument does not support set difference: %s' % e)
  885. try:
  886. difference2 = set2.difference(set1)
  887. except TypeError as e:
  888. self.fail('invalid type when attempting set difference: %s' % e)
  889. except AttributeError as e:
  890. self.fail('second argument does not support set difference: %s' % e)
  891. if not (difference1 or difference2):
  892. return
  893. lines = []
  894. if difference1:
  895. lines.append('Items in the first set but not the second:')
  896. for item in difference1:
  897. lines.append(repr(item))
  898. if difference2:
  899. lines.append('Items in the second set but not the first:')
  900. for item in difference2:
  901. lines.append(repr(item))
  902. standardMsg = '\n'.join(lines)
  903. self.fail(self._formatMessage(msg, standardMsg))
  904. def assertIn(self, member, container, msg=None):
  905. """Just like self.assertTrue(a in b), but with a nicer default message."""
  906. if member not in container:
  907. standardMsg = '%s not found in %s' % (safe_repr(member),
  908. safe_repr(container))
  909. self.fail(self._formatMessage(msg, standardMsg))
  910. def assertNotIn(self, member, container, msg=None):
  911. """Just like self.assertTrue(a not in b), but with a nicer default message."""
  912. if member in container:
  913. standardMsg = '%s unexpectedly found in %s' % (safe_repr(member),
  914. safe_repr(container))
  915. self.fail(self._formatMessage(msg, standardMsg))
  916. def assertIs(self, expr1, expr2, msg=None):
  917. """Just like self.assertTrue(a is b), but with a nicer default message."""
  918. if expr1 is not expr2:
  919. standardMsg = '%s is not %s' % (safe_repr(expr1),
  920. safe_repr(expr2))
  921. self.fail(self._formatMessage(msg, standardMsg))
  922. def assertIsNot(self, expr1, expr2, msg=None):
  923. """Just like self.assertTrue(a is not b), but with a nicer default message."""
  924. if expr1 is expr2:
  925. standardMsg = 'unexpectedly identical: %s' % (safe_repr(expr1),)
  926. self.fail(self._formatMessage(msg, standardMsg))
  927. def assertDictEqual(self, d1, d2, msg=None):
  928. self.assertIsInstance(d1, dict, 'First argument is not a dictionary')
  929. self.assertIsInstance(d2, dict, 'Second argument is not a dictionary')
  930. if d1 != d2:
  931. standardMsg = '%s != %s' % _common_shorten_repr(d1, d2)
  932. diff = ('\n' + '\n'.join(difflib.ndiff(
  933. pprint.pformat(d1).splitlines(),
  934. pprint.pformat(d2).splitlines())))
  935. standardMsg = self._truncateMessage(standardMsg, diff)
  936. self.fail(self._formatMessage(msg, standardMsg))
  937. def assertDictContainsSubset(self, subset, dictionary, msg=None):
  938. """Checks whether dictionary is a superset of subset."""
  939. warnings.warn('assertDictContainsSubset is deprecated',
  940. DeprecationWarning)
  941. missing = []
  942. mismatched = []
  943. for key, value in subset.items():
  944. if key not in dictionary:
  945. missing.append(key)
  946. elif value != dictionary[key]:
  947. mismatched.append('%s, expected: %s, actual: %s' %
  948. (safe_repr(key), safe_repr(value),
  949. safe_repr(dictionary[key])))
  950. if not (missing or mismatched):
  951. return
  952. standardMsg = ''
  953. if missing:
  954. standardMsg = 'Missing: %s' % ','.join(safe_repr(m) for m in
  955. missing)
  956. if mismatched:
  957. if standardMsg:
  958. standardMsg += '; '
  959. standardMsg += 'Mismatched values: %s' % ','.join(mismatched)
  960. self.fail(self._formatMessage(msg, standardMsg))
  961. def assertCountEqual(self, first, second, msg=None):
  962. """An unordered sequence comparison asserting that the same elements,
  963. regardless of order. If the same element occurs more than once,
  964. it verifies that the elements occur the same number of times.
  965. self.assertEqual(Counter(list(first)),
  966. Counter(list(second)))
  967. Example:
  968. - [0, 1, 1] and [1, 0, 1] compare equal.
  969. - [0, 0, 1] and [0, 1] compare unequal.
  970. """
  971. first_seq, second_seq = list(first), list(second)
  972. try:
  973. first = collections.Counter(first_seq)
  974. second = collections.Counter(second_seq)
  975. except TypeError:
  976. # Handle case with unhashable elements
  977. differences = _count_diff_all_purpose(first_seq, second_seq)
  978. else:
  979. if first == second:
  980. return
  981. differences = _count_diff_hashable(first_seq, second_seq)
  982. if differences:
  983. standardMsg = 'Element counts were not equal:\n'
  984. lines = ['First has %d, Second has %d: %r' % diff for diff in differences]
  985. diffMsg = '\n'.join(lines)
  986. standardMsg = self._truncateMessage(standardMsg, diffMsg)
  987. msg = self._formatMessage(msg, standardMsg)
  988. self.fail(msg)
  989. def assertMultiLineEqual(self, first, second, msg=None):
  990. """Assert that two multi-line strings are equal."""
  991. self.assertIsInstance(first, str, 'First argument is not a string')
  992. self.assertIsInstance(second, str, 'Second argument is not a string')
  993. if first != second:
  994. # don't use difflib if the strings are too long
  995. if (len(first) > self._diffThreshold or
  996. len(second) > self._diffThreshold):
  997. self._baseAssertEqual(first, second, msg)
  998. firstlines = first.splitlines(keepends=True)
  999. secondlines = second.splitlines(keepends=True)
  1000. if len(firstlines) == 1 and first.strip('\r\n') == first:
  1001. firstlines = [first + '\n']
  1002. secondlines = [second + '\n']
  1003. standardMsg = '%s != %s' % _common_shorten_repr(first, second)
  1004. diff = '\n' + ''.join(difflib.ndiff(firstlines, secondlines))
  1005. standardMsg = self._truncateMessage(standardMsg, diff)
  1006. self.fail(self._formatMessage(msg, standardMsg))
  1007. def assertLess(self, a, b, msg=None):
  1008. """Just like self.assertTrue(a < b), but with a nicer default message."""
  1009. if not a < b:
  1010. standardMsg = '%s not less than %s' % (safe_repr(a), safe_repr(b))
  1011. self.fail(self._formatMessage(msg, standardMsg))
  1012. def assertLessEqual(self, a, b, msg=None):
  1013. """Just like self.assertTrue(a <= b), but with a nicer default message."""
  1014. if not a <= b:
  1015. standardMsg = '%s not less than or equal to %s' % (safe_repr(a), safe_repr(b))
  1016. self.fail(self._formatMessage(msg, standardMsg))
  1017. def assertGreater(self, a, b, msg=None):
  1018. """Just like self.assertTrue(a > b), but with a nicer default message."""
  1019. if not a > b:
  1020. standardMsg = '%s not greater than %s' % (safe_repr(a), safe_repr(b))
  1021. self.fail(self._formatMessage(msg, standardMsg))
  1022. def assertGreaterEqual(self, a, b, msg=None):
  1023. """Just like self.assertTrue(a >= b), but with a nicer default message."""
  1024. if not a >= b:
  1025. standardMsg = '%s not greater than or equal to %s' % (safe_repr(a), safe_repr(b))
  1026. self.fail(self._formatMessage(msg, standardMsg))
  1027. def assertIsNone(self, obj, msg=None):
  1028. """Same as self.assertTrue(obj is None), with a nicer default message."""
  1029. if obj is not None:
  1030. standardMsg = '%s is not None' % (safe_repr(obj),)
  1031. self.fail(self._formatMessage(msg, standardMsg))
  1032. def assertIsNotNone(self, obj, msg=None):
  1033. """Included for symmetry with assertIsNone."""
  1034. if obj is None:
  1035. standardMsg = 'unexpectedly None'
  1036. self.fail(self._formatMessage(msg, standardMsg))
  1037. def assertIsInstance(self, obj, cls, msg=None):
  1038. """Same as self.assertTrue(isinstance(obj, cls)), with a nicer
  1039. default message."""
  1040. if not isinstance(obj, cls):
  1041. standardMsg = '%s is not an instance of %r' % (safe_repr(obj), cls)
  1042. self.fail(self._formatMessage(msg, standardMsg))
  1043. def assertNotIsInstance(self, obj, cls, msg=None):
  1044. """Included for symmetry with assertIsInstance."""
  1045. if isinstance(obj, cls):
  1046. standardMsg = '%s is an instance of %r' % (safe_repr(obj), cls)
  1047. self.fail(self._formatMessage(msg, standardMsg))
  1048. def assertRaisesRegex(self, expected_exception, expected_regex,
  1049. *args, **kwargs):
  1050. """Asserts that the message in a raised exception matches a regex.
  1051. Args:
  1052. expected_exception: Exception class expected to be raised.
  1053. expected_regex: Regex (re pattern object or string) expected
  1054. to be found in error message.
  1055. args: Function to be called and extra positional args.
  1056. kwargs: Extra kwargs.
  1057. msg: Optional message used in case of failure. Can only be used
  1058. when assertRaisesRegex is used as a context manager.
  1059. """
  1060. context = _AssertRaisesContext(expected_exception, self, expected_regex)
  1061. return context.handle('assertRaisesRegex', args, kwargs)
  1062. def assertWarnsRegex(self, expected_warning, expected_regex,
  1063. *args, **kwargs):
  1064. """Asserts that the message in a triggered warning matches a regexp.
  1065. Basic functioning is similar to assertWarns() with the addition
  1066. that only warnings whose messages also match the regular expression
  1067. are considered successful matches.
  1068. Args:
  1069. expected_warning: Warning class expected to be triggered.
  1070. expected_regex: Regex (re pattern object or string) expected
  1071. to be found in error message.
  1072. args: Function to be called and extra positional args.
  1073. kwargs: Extra kwargs.
  1074. msg: Optional message used in case of failure. Can only be used
  1075. when assertWarnsRegex is used as a context manager.
  1076. """
  1077. context = _AssertWarnsContext(expected_warning, self, expected_regex)
  1078. return context.handle('assertWarnsRegex', args, kwargs)
  1079. def assertRegex(self, text, expected_regex, msg=None):
  1080. """Fail the test unless the text matches the regular expression."""
  1081. if isinstance(expected_regex, (str, bytes)):
  1082. assert expected_regex, "expected_regex must not be empty."
  1083. expected_regex = re.compile(expected_regex)
  1084. if not expected_regex.search(text):
  1085. standardMsg = "Regex didn't match: %r not found in %r" % (
  1086. expected_regex.pattern, text)
  1087. # _formatMessage ensures the longMessage option is respected
  1088. msg = self._formatMessage(msg, standardMsg)
  1089. raise self.failureException(msg)
  1090. def assertNotRegex(self, text, unexpected_regex, msg=None):
  1091. """Fail the test if the text matches the regular expression."""
  1092. if isinstance(unexpected_regex, (str, bytes)):
  1093. unexpected_regex = re.compile(unexpected_regex)
  1094. match = unexpected_regex.search(text)
  1095. if match:
  1096. standardMsg = 'Regex matched: %r matches %r in %r' % (
  1097. text[match.start() : match.end()],
  1098. unexpected_regex.pattern,
  1099. text)
  1100. # _formatMessage ensures the longMessage option is respected
  1101. msg = self._formatMessage(msg, standardMsg)
  1102. raise self.failureException(msg)
  1103. def _deprecate(original_func):
  1104. def deprecated_func(*args, **kwargs):
  1105. warnings.warn(
  1106. 'Please use {0} instead.'.format(original_func.__name__),
  1107. DeprecationWarning, 2)
  1108. return original_func(*args, **kwargs)
  1109. return deprecated_func
  1110. # see #9424
  1111. failUnlessEqual = assertEquals = _deprecate(assertEqual)
  1112. failIfEqual = assertNotEquals = _deprecate(assertNotEqual)
  1113. failUnlessAlmostEqual = assertAlmostEquals = _deprecate(assertAlmostEqual)
  1114. failIfAlmostEqual = assertNotAlmostEquals = _deprecate(assertNotAlmostEqual)
  1115. failUnless = assert_ = _deprecate(assertTrue)
  1116. failUnlessRaises = _deprecate(assertRaises)
  1117. failIf = _deprecate(assertFalse)
  1118. assertRaisesRegexp = _deprecate(assertRaisesRegex)
  1119. assertRegexpMatches = _deprecate(assertRegex)
  1120. assertNotRegexpMatches = _deprecate(assertNotRegex)
  1121. class FunctionTestCase(TestCase):
  1122. """A test case that wraps a test function.
  1123. This is useful for slipping pre-existing test functions into the
  1124. unittest framework. Optionally, set-up and tidy-up functions can be
  1125. supplied. As with TestCase, the tidy-up ('tearDown') function will
  1126. always be called if the set-up ('setUp') function ran successfully.
  1127. """
  1128. def __init__(self, testFunc, setUp=None, tearDown=None, description=None):
  1129. super(FunctionTestCase, self).__init__()
  1130. self._setUpFunc = setUp
  1131. self._tearDownFunc = tearDown
  1132. self._testFunc = testFunc
  1133. self._description = description
  1134. def setUp(self):
  1135. if self._setUpFunc is not None:
  1136. self._setUpFunc()
  1137. def tearDown(self):
  1138. if self._tearDownFunc is not None:
  1139. self._tearDownFunc()
  1140. def runTest(self):
  1141. self._testFunc()
  1142. def id(self):
  1143. return self._testFunc.__name__
  1144. def __eq__(self, other):
  1145. if not isinstance(other, self.__class__):
  1146. return NotImplemented
  1147. return self._setUpFunc == other._setUpFunc and \
  1148. self._tearDownFunc == other._tearDownFunc and \
  1149. self._testFunc == other._testFunc and \
  1150. self._description == other._description
  1151. def __hash__(self):
  1152. return hash((type(self), self._setUpFunc, self._tearDownFunc,
  1153. self._testFunc, self._description))
  1154. def __str__(self):
  1155. return "%s (%s)" % (strclass(self.__class__),
  1156. self._testFunc.__name__)
  1157. def __repr__(self):
  1158. return "<%s tec=%s>" % (strclass(self.__class__),
  1159. self._testFunc)
  1160. def shortDescription(self):
  1161. if self._description is not None:
  1162. return self._description
  1163. doc = self._testFunc.__doc__
  1164. return doc and doc.split("\n")[0].strip() or None
  1165. class _SubTest(TestCase):
  1166. def __init__(self, test_case, message, params):
  1167. super().__init__()
  1168. self._message = message
  1169. self.test_case = test_case
  1170. self.params = params
  1171. self.failureException = test_case.failureException
  1172. def runTest(self):
  1173. raise NotImplementedError("subtests cannot be run directly")
  1174. def _subDescription(self):
  1175. parts = []
  1176. if self._message:
  1177. parts.append("[{}]".format(self._message))
  1178. if self.params:
  1179. params_desc = ', '.join(
  1180. "{}={!r}".format(k, v)
  1181. for (k, v) in sorted(self.params.items()))
  1182. parts.append("({})".format(params_desc))
  1183. return " ".join(parts) or '(<subtest>)'
  1184. def id(self):
  1185. return "{} {}".format(self.test_case.id(), self._subDescription())
  1186. def shortDescription(self):
  1187. """Returns a one-line description of the subtest, or None if no
  1188. description has been provided.
  1189. """
  1190. return self.test_case.shortDescription()
  1191. def __str__(self):
  1192. return "{} {}".format(self.test_case, self._subDescription())