123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399 |
- # -*- coding: utf-8 -*-
- '''
- :codeauthor: Pedro Algarvio (pedro@algarvio.me)
- ============================
- Unittest Compatibility Layer
- ============================
- Compatibility layer to use :mod:`unittest <python2:unittest>` under Python
- 2.7 or `unittest2`_ under Python 2.6 without having to worry about which is
- in use.
- .. attention::
- Please refer to Python's :mod:`unittest <python2:unittest>`
- documentation as the ultimate source of information, this is just a
- compatibility layer.
- .. _`unittest2`: https://pypi.python.org/pypi/unittest2
- '''
- # pylint: disable=unused-import,blacklisted-module,deprecated-method
- # Import python libs
- from __future__ import absolute_import, print_function, unicode_literals
- import os
- import sys
- import logging
- from unittest import (
- TestLoader as _TestLoader,
- TextTestRunner as _TextTestRunner,
- TestCase as _TestCase,
- expectedFailure,
- TestSuite as _TestSuite,
- skip,
- skipIf as _skipIf,
- TestResult,
- TextTestResult as _TextTestResult
- )
- from unittest.case import _id, SkipTest
- from salt.ext import six
- try:
- import psutil
- HAS_PSUTIL = True
- except ImportError:
- HAS_PSUTIL = False
- log = logging.getLogger(__name__)
- # Set SHOW_PROC to True to show
- # process details when running in verbose mode
- # i.e. [CPU:15.1%|MEM:48.3%|Z:0]
- SHOW_PROC = 'NO_SHOW_PROC' not in os.environ
- LOREM_IPSUM = '''\
- Lorem ipsum dolor sit amet, consectetur adipiscing elit. Quisque eget urna a arcu lacinia sagittis.
- Sed scelerisque, lacus eget malesuada vestibulum, justo diam facilisis tortor, in sodales dolor
- nibh eu urna. Aliquam iaculis massa risus, sed elementum risus accumsan id. Suspendisse mattis,
- metus sed lacinia dictum, leo orci dapibus sapien, at porttitor sapien nulla ac velit.
- Duis ac cursus leo, non varius metus. Sed laoreet felis magna, vel tempor diam malesuada nec.
- Quisque cursus odio tortor. In consequat augue nisl, eget lacinia odio vestibulum eget.
- Donec venenatis elementum arcu at rhoncus. Nunc pharetra erat in lacinia convallis. Ut condimentum
- eu mauris sit amet convallis. Morbi vulputate vel odio non laoreet. Nullam in suscipit tellus.
- Sed quis posuere urna.'''
- class TestSuite(_TestSuite):
- def _handleClassSetUp(self, test, result):
- previousClass = getattr(result, '_previousTestClass', None)
- currentClass = test.__class__
- if currentClass == previousClass or getattr(currentClass, 'setUpClass', None) is None:
- return super(TestSuite, self)._handleClassSetUp(test, result)
- # Store a reference to all class attributes before running the setUpClass method
- initial_class_attributes = dir(test.__class__)
- ret = super(TestSuite, self)._handleClassSetUp(test, result)
- # Store the difference in in a variable in order to check later if they were deleted
- test.__class__._prerun_class_attributes = [
- attr for attr in dir(test.__class__) if attr not in initial_class_attributes]
- return ret
- def _tearDownPreviousClass(self, test, result):
- # Run any tearDownClass code defined
- super(TestSuite, self)._tearDownPreviousClass(test, result)
- previousClass = getattr(result, '_previousTestClass', None)
- currentClass = test.__class__
- if currentClass == previousClass:
- return
- # See if the previous class attributes have been cleaned
- if previousClass and getattr(previousClass, 'tearDownClass', None):
- prerun_class_attributes = getattr(previousClass, '_prerun_class_attributes', None)
- if prerun_class_attributes is not None:
- previousClass._prerun_class_attributes = None
- del previousClass._prerun_class_attributes
- for attr in prerun_class_attributes:
- if hasattr(previousClass, attr):
- attr_value = getattr(previousClass, attr, None)
- if attr_value is None:
- continue
- if isinstance(attr_value, (bool,) + six.string_types + six.integer_types):
- setattr(previousClass, attr, None)
- continue
- log.warning('Deleting extra class attribute after test run: %s.%s(%s). '
- 'Please consider using \'del self.%s\' on the test class '
- '\'tearDownClass()\' method', previousClass.__name__, attr,
- str(getattr(previousClass, attr))[:100], attr)
- delattr(previousClass, attr)
- class TestLoader(_TestLoader):
- # We're just subclassing to make sure tha tour TestSuite class is the one used
- suiteClass = TestSuite
- class TestCase(_TestCase):
- # pylint: disable=expected-an-indented-block-comment,too-many-leading-hastag-for-block-comment
- ## Commented out because it may be causing tests to hang
- ## at the end of the run
- #
- # _cwd = os.getcwd()
- # _chdir_counter = 0
- # @classmethod
- # def tearDownClass(cls):
- # '''
- # Overriden method for tearing down all classes in salttesting
- #
- # This hard-resets the environment between test classes
- # '''
- # # Compare where we are now compared to where we were when we began this family of tests
- # if not cls._cwd == os.getcwd() and cls._chdir_counter > 0:
- # os.chdir(cls._cwd)
- # print('\nWARNING: A misbehaving test has modified the working directory!\nThe test suite has reset the working directory '
- # 'on tearDown() to {0}\n'.format(cls._cwd))
- # cls._chdir_counter += 1
- # pylint: enable=expected-an-indented-block-comment,too-many-leading-hastag-for-block-comment
- def run(self, result=None):
- self._prerun_instance_attributes = dir(self)
- self.maxDiff = None
- outcome = super(TestCase, self).run(result=result)
- for attr in dir(self):
- if attr == '_prerun_instance_attributes':
- continue
- if attr in getattr(self.__class__, '_prerun_class_attributes', ()):
- continue
- if attr not in self._prerun_instance_attributes:
- attr_value = getattr(self, attr, None)
- if attr_value is None:
- continue
- if isinstance(attr_value, (bool,) + six.string_types + six.integer_types):
- setattr(self, attr, None)
- continue
- log.warning('Deleting extra class attribute after test run: %s.%s(%s). '
- 'Please consider using \'del self.%s\' on the test case '
- '\'tearDown()\' method', self.__class__.__name__, attr,
- getattr(self, attr), attr)
- delattr(self, attr)
- self._prerun_instance_attributes = None
- del self._prerun_instance_attributes
- return outcome
- def shortDescription(self):
- desc = _TestCase.shortDescription(self)
- if HAS_PSUTIL and SHOW_PROC:
- show_zombie_processes = 'SHOW_PROC_ZOMBIES' in os.environ
- proc_info = '[CPU:{0}%|MEM:{1}%'.format(psutil.cpu_percent(),
- psutil.virtual_memory().percent)
- if show_zombie_processes:
- found_zombies = 0
- try:
- for proc in psutil.process_iter():
- if proc.status == psutil.STATUS_ZOMBIE:
- found_zombies += 1
- except Exception:
- pass
- proc_info += '|Z:{0}'.format(found_zombies)
- proc_info += '] {short_desc}'.format(short_desc=desc if desc else '')
- return proc_info
- else:
- return _TestCase.shortDescription(self)
- def assertEquals(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('assertEquals', 'assertEqual')
- )
- # return _TestCase.assertEquals(self, *args, **kwargs)
- def assertNotEquals(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('assertNotEquals', 'assertNotEqual')
- )
- # return _TestCase.assertNotEquals(self, *args, **kwargs)
- def assert_(self, *args, **kwargs):
- # The unittest2 library uses this deprecated method, we can't raise
- # the exception.
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('assert_', 'assertTrue')
- )
- # return _TestCase.assert_(self, *args, **kwargs)
- def assertAlmostEquals(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('assertAlmostEquals', 'assertAlmostEqual')
- )
- # return _TestCase.assertAlmostEquals(self, *args, **kwargs)
- def assertNotAlmostEquals(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('assertNotAlmostEquals', 'assertNotAlmostEqual')
- )
- # return _TestCase.assertNotAlmostEquals(self, *args, **kwargs)
- def repack_state_returns(self, state_ret):
- '''
- Accepts a state return dict and returns it back with the top level key
- names rewritten such that the ID declaration is the key instead of the
- State's unique tag. For example: 'foo' instead of
- 'file_|-foo_|-/etc/foo.conf|-managed'
- This makes it easier to work with state returns when crafting asserts
- after running states.
- '''
- assert isinstance(state_ret, dict), state_ret
- return {x.split('_|-')[1]: y for x, y in six.iteritems(state_ret)}
- def failUnlessEqual(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('failUnlessEqual', 'assertEqual')
- )
- # return _TestCase.failUnlessEqual(self, *args, **kwargs)
- def failIfEqual(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('failIfEqual', 'assertNotEqual')
- )
- # return _TestCase.failIfEqual(self, *args, **kwargs)
- def failUnless(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('failUnless', 'assertTrue')
- )
- # return _TestCase.failUnless(self, *args, **kwargs)
- def failIf(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('failIf', 'assertFalse')
- )
- # return _TestCase.failIf(self, *args, **kwargs)
- def failUnlessRaises(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('failUnlessRaises', 'assertRaises')
- )
- # return _TestCase.failUnlessRaises(self, *args, **kwargs)
- def failUnlessAlmostEqual(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('failUnlessAlmostEqual', 'assertAlmostEqual')
- )
- # return _TestCase.failUnlessAlmostEqual(self, *args, **kwargs)
- def failIfAlmostEqual(self, *args, **kwargs):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format('failIfAlmostEqual', 'assertNotAlmostEqual')
- )
- # return _TestCase.failIfAlmostEqual(self, *args, **kwargs)
- @staticmethod
- def assert_called_once(mock):
- '''
- mock.assert_called_once only exists in PY3 in 3.6 and newer
- '''
- try:
- mock.assert_called_once()
- except AttributeError:
- log.warning('assert_called_once invoked, but not available')
- if six.PY2:
- def assertRegexpMatches(self, *args, **kwds):
- raise DeprecationWarning(
- 'The {0}() function will be deprecated in python 3. Please start '
- 'using {1}() instead.'.format(
- 'assertRegexpMatches',
- 'assertRegex'
- )
- )
- def assertRegex(self, text, regex, msg=None):
- # In python 2, alias to the future python 3 function
- return _TestCase.assertRegexpMatches(self, text, regex, msg=msg)
- def assertNotRegexpMatches(self, *args, **kwds):
- raise DeprecationWarning(
- 'The {0}() function will be deprecated in python 3. Please start '
- 'using {1}() instead.'.format(
- 'assertNotRegexpMatches',
- 'assertNotRegex'
- )
- )
- def assertNotRegex(self, text, regex, msg=None):
- # In python 2, alias to the future python 3 function
- return _TestCase.assertNotRegexpMatches(self, text, regex, msg=msg)
- def assertRaisesRegexp(self, *args, **kwds):
- raise DeprecationWarning(
- 'The {0}() function will be deprecated in python 3. Please start '
- 'using {1}() instead.'.format(
- 'assertRaisesRegexp',
- 'assertRaisesRegex'
- )
- )
- def assertRaisesRegex(self, exception, regexp, *args, **kwds):
- # In python 2, alias to the future python 3 function
- return _TestCase.assertRaisesRegexp(self, exception, regexp, *args, **kwds)
- else:
- def assertRegexpMatches(self, *args, **kwds):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format(
- 'assertRegexpMatches',
- 'assertRegex'
- )
- )
- def assertNotRegexpMatches(self, *args, **kwds):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format(
- 'assertNotRegexpMatches',
- 'assertNotRegex'
- )
- )
- def assertRaisesRegexp(self, *args, **kwds):
- raise DeprecationWarning(
- 'The {0}() function is deprecated. Please start using {1}() '
- 'instead.'.format(
- 'assertRaisesRegexp',
- 'assertRaisesRegex'
- )
- )
- class TextTestResult(_TextTestResult):
- '''
- Custom TestResult class whith logs the start and the end of a test
- '''
- def startTest(self, test):
- log.debug('>>>>> START >>>>> {0}'.format(test.id()))
- return super(TextTestResult, self).startTest(test)
- def stopTest(self, test):
- log.debug('<<<<< END <<<<<<< {0}'.format(test.id()))
- return super(TextTestResult, self).stopTest(test)
- class TextTestRunner(_TextTestRunner):
- '''
- Custom Text tests runner to log the start and the end of a test case
- '''
- resultclass = TextTestResult
- def skipIf(skip, reason):
- from tests.support.runtests import RUNTIME_VARS
- if RUNTIME_VARS.PYTEST_SESSION:
- import pytest
- return pytest.mark.skipif(skip, reason=reason)
- return _skipIf(skip, reason)
- __all__ = [
- 'TestLoader',
- 'TextTestRunner',
- 'TestCase',
- 'expectedFailure',
- 'TestSuite',
- 'skipIf',
- 'TestResult'
- ]
|