Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to run initialization code before tests when using Python's unittest module as a testrunner?

How can a user of a library run his own initialization code (setting debug levels of loggers for example) before running tests supplied with the library? Python's unittest module is used as a testrunner.

like image 975
Piotr Dobrogost Avatar asked Dec 22 '11 17:12

Piotr Dobrogost


3 Answers

You can try using pytest to run the unittests. If that works (many unittest based test suites work), then you can create a little module, for example "mymod.py", defining a pytest configuration hook:

# content of mymod.py
def pytest_configure():
    import logging
    logging.getLogger().setLevel(logging.WARN)

If you now execute py.test like this:

$ py.test -p mymmod --pyargs mylib

Then the "mylib" package will be searched for tests and ahead of running them the logging level is modified. The "-p" option specifies a plugin to load and the "--pyargs" tells pytest to try importing the arguments first, instead of treating them as directory or file names (the default).

For more info: http://pytest.org and http://pytest.org/latest/unittest.html

HTH, holger

like image 155
hpk42 Avatar answered Oct 06 '22 02:10

hpk42


You could do the set-up work before calling unittest.main.

Or you could subclass the test suite and run a class-level setup method.

Or you could have the test setup incorporate a callback to a user-defined setup method.

like image 28
Raymond Hettinger Avatar answered Oct 06 '22 03:10

Raymond Hettinger


Answer from similar question is more helpful here:

How to a run a specific code before & after each unit test in python

I used python setUpClass method https://docs.python.org/2/library/unittest.html#unittest.TestCase.setUpClass

setUpClass()
A class method called before tests in an individual class are run. setUpClass is called with the class as the only argument and must be decorated as a classmethod():

@classmethod
def setUpClass(cls):
    ...

I run my tests like this:

python -m unittest discover -v
like image 26
Alex G Avatar answered Oct 06 '22 01:10

Alex G