/usr/lib/python2.7/dist-packages/nose2/main.py is in python-nose2 0.5.0-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 | import logging
import os
import sys
from nose2.compat import unittest
from nose2 import events, loader, runner, session, util
log = logging.getLogger(__name__)
__unittest = True
class PluggableTestProgram(unittest.TestProgram):
"""TestProgram that enables plugins.
Accepts the same parameters as :class:`unittest.TestProgram`,
but most of them are ignored as their functions are
handled by plugins.
:param module: Module in which to run tests. Default: __main__
:param defaultTest: Default test name. Default: None
:param argv: Command line args. Default: sys.argv
:param testRunner: *IGNORED*
:param testLoader: *IGNORED*
:param exit: Exit after running tests?
:param verbosity: Base verbosity
:param failfast: *IGNORED*
:param catchbreak: *IGNORED*
:param buffer: *IGNORED*
:param plugins: List of additional plugin modules to load
:param excludePlugins: List of plugin modules to exclude
:param extraHooks: List of hook names and plugin *instances* to
register with the session's hooks system. Each
item in the list must be a 2-tuple of
(hook name, plugin instance)
.. attribute :: sessionClass
The class to instantiate to create a test run configuration
session. Default: :class:`nose2.session.Session`
.. attribute :: loaderClass
The class to instantiate to create a test loader. Default:
:class:`nose2.loader.PluggableTestLoader`.
.. warning ::
Overriding this attribute is the only way to customize
the test loader class. Passing a test loader to
``__init__`` does not work.
.. attribute :: runnerClass
The class to instantiate to create a test runner. Default:
:class:`nose2.runner.PluggableTestRunner`.
.. warning ::
Overriding this attribute is the only way to customize
the test runner class. Passing a test runner to
``__init__`` does not work.
.. attribute :: defaultPlugins
List of default plugin modules to load.
"""
sessionClass = session.Session
_currentSession = None
loaderClass = loader.PluggableTestLoader
runnerClass = runner.PluggableTestRunner
defaultPlugins = ('nose2.plugins.loader.discovery',
'nose2.plugins.loader.testcases',
'nose2.plugins.loader.functions',
'nose2.plugins.loader.testclasses',
'nose2.plugins.loader.generators',
'nose2.plugins.loader.parameters',
'nose2.plugins.loader.loadtests',
'nose2.plugins.dundertest',
'nose2.plugins.coverage',
'nose2.plugins.result',
'nose2.plugins.logcapture',
'nose2.plugins.buffer',
'nose2.plugins.failfast',
'nose2.plugins.debugger',
)
excludePlugins = ()
# XXX override __init__ to warn that testLoader and testRunner are ignored?
def __init__(self, **kw):
plugins = kw.pop('plugins', [])
exclude = kw.pop('excludePlugins', [])
hooks = kw.pop('extraHooks', [])
self.defaultPlugins = list(self.defaultPlugins)
self.excludePlugins = list(self.excludePlugins)
self.extraHooks = hooks
self.defaultPlugins.extend(plugins)
self.excludePlugins.extend(exclude)
super(PluggableTestProgram, self).__init__(**kw)
def parseArgs(self, argv):
"""Parse command line args
Parses arguments and creates a configuration session,
then calls createTests.
"""
self.session = self.sessionClass()
self.__class__._currentSession = self.session
self.argparse = self.session.argparse # for convenience
# XXX force these? or can it be avoided?
self.testLoader = self.loaderClass(self.session)
self.session.testLoader = self.testLoader
# Parse initial arguments like config file paths, verbosity
self.setInitialArguments()
# FIXME -h here makes processing stop.
cfg_args, argv = self.argparse.parse_known_args(argv[1:])
self.handleCfgArgs(cfg_args)
# Parse arguments for plugins (if any) and test names
self.argparse.add_argument('testNames', nargs='*')
# add help arg now so -h will also print plugin opts
self.argparse.add_argument('-h', '--help', action='help',
help=('Show this help message and exit'))
args, argv = self.argparse.parse_known_args(argv)
if argv:
self.argparse.error("Unrecognized arguments: %s" % ' '.join(argv))
self.handleArgs(args)
self.createTests()
def setInitialArguments(self):
"""Set pre-plugin command-line arguments.
This set of arguments is parsed out of the command line
before plugins are loaded.
"""
self.argparse.add_argument(
'-s', '--start-dir', default=None,
help="Directory to start discovery ('.' default)")
self.argparse.add_argument(
'-t', '--top-level-directory', '--project-directory',
help='Top level directory of project (defaults to start dir)')
self.argparse.add_argument(
'--config', '-c', nargs='?', action='append',
default=['unittest.cfg', 'nose2.cfg'],
help="Config files to load, if they exist. ('unittest.cfg' "
"and 'nose2.cfg' in start directory default)")
self.argparse.add_argument(
'--no-user-config', action='store_const',
dest='user_config', const=False, default=True,
help="Do not load user config files")
self.argparse.add_argument(
'--no-plugins', action='store_const',
dest='load_plugins', const=False, default=True,
help="Do not load any plugins. Warning: nose2 does not "
"do anything if no plugins are loaded")
self.argparse.add_argument(
'--plugin', action='append',
dest='plugins', default=[],
help="Load this plugin module.")
self.argparse.add_argument(
'--exclude-plugin', action='append',
dest='exclude_plugins', default=[],
help="Do not load this plugin module")
self.argparse.add_argument(
'--verbose', '-v', action='count', default=0, help="print test case names and statuses")
self.argparse.add_argument('--quiet', action='store_const',
dest='verbose', const=0)
self.argparse.add_argument(
'--log-level', default=logging.WARN,
help='Set logging level for message logged to console.')
def handleCfgArgs(self, cfg_args):
"""Handle initial arguments.
Handle the initial, pre-plugin arguments parsed out of the
command line.
"""
self.session.logLevel = util.parse_log_level(cfg_args.log_level)
logging.basicConfig(level=self.session.logLevel)
log.debug('logging initialized %s', cfg_args.log_level)
if cfg_args.verbose:
self.session.verbosity += cfg_args.verbose
self.session.startDir = cfg_args.start_dir
if cfg_args.top_level_directory:
self.session.topLevelDir = cfg_args.top_level_directory
self.session.loadConfigFiles(*self.findConfigFiles(cfg_args))
self.session.setStartDir()
self.session.prepareSysPath()
if cfg_args.load_plugins:
self.defaultPlugins.extend(cfg_args.plugins)
self.excludePlugins.extend(cfg_args.exclude_plugins)
self.loadPlugins()
elif cfg_args.plugins or cfg_args.exclude_plugins:
log.warn("Both '--no-plugins' and '--plugin' or '--exclude-plugin' "
"specified. No plugins were loaded.")
def findConfigFiles(self, cfg_args):
"""Find available config files"""
filenames = cfg_args.config[:]
proj_opts = ('unittest.cfg', 'nose2.cfg')
for fn in proj_opts:
if cfg_args.top_level_directory:
fn = os.path.abspath(
os.path.join(cfg_args.top_level_directory, fn))
filenames.append(fn)
if cfg_args.user_config:
user_opts = ('~/.unittest.cfg', '~/.nose2.cfg')
for fn in user_opts:
filenames.append(os.path.expanduser(fn))
return filenames
def handleArgs(self, args):
"""Handle further arguments.
Handle arguments parsed out of command line after plugins have
been loaded (and injected their argument configuration).
"""
self.testNames = args.testNames
self.session.hooks.handleArgs(events.CommandLineArgsEvent(args=args))
def loadPlugins(self):
"""Load available plugins
``self.defaultPlugins`` and ``self.excludePlugins`` are passed
to the session to alter the list of plugins that will be
loaded.
This method also registers any (hook, plugin) pairs set in
``self.hooks``. This is a good way to inject plugins that fall
outside of the normal loading procedure, for example, plugins
that need some runtime information that can't easily be
passed to them through the configuration system.
"""
self.session.loadPlugins(self.defaultPlugins, self.excludePlugins)
for method_name, plugin in self.extraHooks:
self.session.hooks.register(method_name, plugin)
def createTests(self):
"""Create top-level test suite"""
event = events.CreateTestsEvent(
self.testLoader, self.testNames, self.module)
result = self.session.hooks.createTests(event)
if event.handled:
self.test = result
else:
log.debug("Create tests from %s/%s", self.testNames, self.module)
self.test = self.testLoader.loadTestsFromNames(
self.testNames, self.module)
def runTests(self):
"""Run tests"""
# fire plugin hook
runner = self._makeRunner()
try:
self.result = runner.run(self.test)
except Exception as e:
log.debug('Internal Error', exc_info=True)
sys.stderr.write('Internal Error: runTests aborted: %s\n'%(e))
if self.exit:
sys.exit(1)
if self.exit:
sys.exit(not self.result.wasSuccessful())
def _makeRunner(self):
runner = self.runnerClass(self.session)
event = events.RunnerCreatedEvent(runner)
self.session.hooks.runnerCreated(event)
self.session.testRunner = event.runner
return event.runner
@classmethod
def getCurrentSession(cls):
"""Returns the current session or None if no `nose2.session.Session` is running.
"""
return cls._currentSession
main = PluggableTestProgram
def discover(*args, **kwargs):
"""Main entry point for test discovery.
Running discover calls :class:`nose2.main.PluggableTestProgram`,
passing through all arguments and keyword arguments **except module**:
``module`` is discarded, to force test discovery.
"""
kwargs['module'] = None
return main(*args, **kwargs)
|