File: main.py

package info (click to toggle)
pyjunitxml 0.7-3
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 224 kB
  • sloc: python: 830; makefile: 7
file content (167 lines) | stat: -rw-r--r-- 5,461 bytes parent folder | download | duplicates (2)
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
"""Command line functionality for junitxml.

Runs specific tests or does automatic discovery with output in XML format.

:Author: Duncan Findlay <duncan@duncf.ca>
"""
import optparse
import sys

# If we're using Python < 2.7, we want unittest2 if we can get it, otherwise
# unittest will suffice.
try:
    import unittest2 as unittest
except ImportError:
    import unittest

import junitxml
import junitxml.runner

ADDITIONAL_HELP_NO_DISCOVERY = """\

<xml file> is the name of a file used for output.
<tests> is a list of any number of test modules, classes and test
methods. If no tests are specified, automatic discovery is performed.

Example for executing specific tests:
  %(prog_name)s -o junit.xml test_module
  %(prog_name)s test_module.TestClass
  %(prog_name)s test_module.TestClass.test_method
"""

ADDITIONAL_HELP_DISCOVERY = """\

<xml file> is the name of a file used for output.
[tests] can be a list of any number of test modules, classes and test
methods. If no tests are specified, automatic discovery is performed.

Example for executing specific tests:
  %(prog_name)s -o junit.xml test_module
  %(prog_name)s test_module.TestClass
  %(prog_name)s test_module.TestClass.test_method

Example for test discovery:
  %(prog_name)s
  %(prog_name)s -o junit.xml -s tests/ -p '*.py'
  %(prog_name)s -t myproj/ -s myproj/tests/ -p '*.py'

For test discovery all test modules must be importable from the top
level directory of the project.

It is an error to specify discovery options and specific tests.
"""

class XmlTestProgram(object):
    """Command line program for running tests with XML output."""

    loader = unittest.defaultTestLoader
    runner_class = junitxml.runner.JUnitXmlTestRunner

    def __init__(self, can_discover=None):
        self.tests = None
        self.output_filename = None

        self._can_discover = can_discover
        if self._can_discover is None:
            self._can_discover = bool(hasattr(self.loader, 'discover'))

        if self._can_discover:
            self._usage = 'Usage: %prog [options] [tests]'
            self._help = ADDITIONAL_HELP_DISCOVERY
        else:
            self._usage = 'Usage: %prog [options] <tests>'
            self._help = ADDITIONAL_HELP_NO_DISCOVERY

    def parse_args(self, argv=None):
        """Parse command line arguments."""
        parser = optparse.OptionParser(
            usage=self._usage, add_help_option=False)

        parser.add_option('-h', '--help', dest='help', action='store_true',
                          help='Show option summary and exit')
        parser.add_option(
            '-o', '--output-file', dest='output',
            help='Specify name of output XML file. (Default: %default)',
            default='./junit.xml')

        if self._can_discover:
            discovery_group = optparse.OptionGroup(
                parser, 'Discovery options',
                'Used to control discovery (when no tests specified).')

            discovery_group.add_option(
                '-s', '--start-directory', dest='start',
                default=None, help="Directory to start discovery "
                "('.' default)")
            discovery_group.add_option(
                '-p', '--pattern', dest='pattern',  default=None,
                help="Pattern to match tests ('test*.py' default)")
            discovery_group.add_option(
                '-t', '--top-level-directory', dest='top', default=None,
                help='Top level directory of project (defaults to start '
                'directory)')
            parser.add_option_group(discovery_group)

        if argv is None:
            argv = sys.argv[1:]
        options, args = parser.parse_args(argv)

        if options.help:
            parser.print_help()
            sys.stdout.write(self._help % ({'prog_name': sys.argv[0]}))
            sys.exit(1)

        self.output_filename = options.output

        if self._can_discover and args and \
               (options.start or options.pattern or options.top):
            parser.error(
                'Cannot specify discovery options and specific tests.')
        elif args:
            self.tests = self._load_tests(args)
        elif self._can_discover:
            self.tests = self._do_discovery(options.start, options.pattern,
                                            options.top)
        else:
            parser.error('Must specify tests to run.')

    def _do_discovery(self, start_dir, pattern, top_level_dir):
        assert self._can_discover

        if start_dir is None:
            start_dir = '.'
        if pattern is None:
            pattern = 'test*.py'
        if top_level_dir is None:
            top_level_dir = start_dir

        return self.loader.discover(start_dir, pattern, top_level_dir)

    def _load_tests(self, test_names):
        return self.loader.loadTestsFromNames(test_names)

    def run(self):
        """Run the specified tests.

        :Returns: TestResult object.
        """
        stream = open(self.output_filename, 'w')
        try:
            test_runner = self.runner_class(xml_stream=stream)
            return test_runner.run(self.tests)
        finally:
            stream.close()


def main(args=None, prog=None):
    if args is None:
        args = sys.argv[1:]
    if prog is None:
        prog = XmlTestProgram()

    prog.parse_args(args)
    result = prog.run()
    sys.exit(int(not result.wasSuccessful()))

if __name__ == '__main__':
    main()