forked from enthought/traitsui
-
Notifications
You must be signed in to change notification settings - Fork 0
/
etstool.py
299 lines (242 loc) · 10.1 KB
/
etstool.py
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
#
# Copyright (c) 2017, Enthought, Inc.
# All rights reserved.
#
# This software is provided without warranty under the terms of the BSD
# license included in enthought/LICENSE.txt and may be redistributed only
# under the conditions described in the aforementioned license. The license
# is also available online at http://www.enthought.com/licenses/BSD.txt
#
# Thanks for using Enthought open source!
#
"""
Tasks for Test Runs
===================
This file is intended to be used with a python environment with the
click library to automate the process of setting up test environments
and running the test within them. This improves repeatability and
reliability of tests be removing many of the variables around the
developer's particular Python environment. Test environment setup and
package management is performed using `EDM
http://docs.enthought.com/edm/`_
To use this to run you tests, you will need to install EDM and click
into your working environment. You will also need to have git
installed to access required source code from github repositories.
You can then do::
python etstool.py install --runtime=... --toolkit=...
to create a test environment from the current codebase and::
python etstool.py test --runtime=... --toolkit=...
to run tests in that environment. You can remove the environment with::
python etstool.py cleanup --runtime=... --toolkit=...
If you make changes you will either need to remove and re-install the
environment or manually update the environment using ``edm``, as
the install performs a ``python setup.py install`` rather than a ``develop``,
so changes in your code will not be automatically mirrored in the test
environment. You can update with a command like::
edm run --environment ... -- python setup.py install
You can run all three tasks at once with::
python etstool.py test_clean --runtime=... --toolkit=...
which will create, install, run tests, and then clean-up the environment. And
you can run tests in all supported runtimes and toolkits (with cleanup)
using::
python etstool.py test_all
Currently supported runtime values are ``2.7`` and ``3.5``, and currently
supported toolkits are ``null``, ``pyqt``, ``pyside`` and ``wx``. Not all
combinations of toolkits and runtimes will work, but the tasks will fail with
a clear error if that is the case.
Tests can still be run via the usual means in other environments if that suits
a developer's purpose.
Changing This File
------------------
To change the packages installed during a test run, change the dependencies
variable below. To install a package from github, or one which is not yet
available via EDM, add it to the `ci-src-requirements.txt` file (these will be
installed by `pip`).
Other changes to commands should be a straightforward change to the listed
commands for each task. See the EDM documentation for more information about
how to run commands within an EDM enviornment.
"""
import glob
import os
import subprocess
import sys
from shutil import rmtree, copy as copyfile
from tempfile import mkdtemp
from contextlib import contextmanager
import click
supported_combinations = {
'2.7': {'pyside', 'pyqt', 'wx', 'null'},
'3.5': {'pyqt', 'pyqt5', 'null'},
}
dependencies = {
"numpy",
"pandas",
"pygments",
"traits",
"pip",
"nose",
"coverage",
}
extra_dependencies = {
'pyside': {'pyside'},
'pyqt': {'pyqt<4.12'}, # FIXME: build of 4.12-1 appears to be bad
# XXX once pyqt5 is available in EDM, we will want it here
'pyqt5': set(),
'wx': {'wxpython'},
'null': set()
}
environment_vars = {
'pyside': {'ETS_TOOLKIT': 'qt4', 'QT_API': 'pyside'},
'pyqt': {'ETS_TOOLKIT': 'qt4', 'QT_API': 'pyqt'},
'pyqt5': {'ETS_TOOLKIT': 'qt4', 'QT_API': 'pyqt5'},
'wx': {'ETS_TOOLKIT': 'wx'},
'null': {'ETS_TOOLKIT': 'null'},
}
@click.group()
def cli():
pass
@cli.command()
@click.option('--runtime', default='3.5')
@click.option('--toolkit', default='null')
@click.option('--environment', default=None)
def install(runtime, toolkit, environment):
""" Install project and dependencies into a clean EDM environment.
"""
parameters = get_parameters(runtime, toolkit, environment)
parameters['packages'] = ' '.join(
dependencies | extra_dependencies.get(toolkit, set()))
# edm commands to setup the development environment
commands = [
"edm environments create {environment} --force --version={runtime}",
"edm install -y -e {environment} {packages}",
"edm run -e {environment} -- pip install -r ci-src-requirements.txt --no-dependencies",
"edm run -e {environment} -- python setup.py install"]
# pip install pyqt5, because we don't have it in EDM yet
if toolkit == 'pyqt5':
commands.append("edm run -e {environment} -- pip install pyqt5")
click.echo("Creating environment '{environment}'".format(**parameters))
execute(commands, parameters)
click.echo('Done install')
@cli.command()
@click.option('--runtime', default='3.5')
@click.option('--toolkit', default='null')
@click.option('--environment', default=None)
def test(runtime, toolkit, environment):
""" Run the test suite in a given environment with the specified toolkit.
"""
parameters = get_parameters(runtime, toolkit, environment)
environ = environment_vars.get(toolkit, {}).copy()
environ['PYTHONUNBUFFERED'] = "1"
commands = [
"edm run -e {environment} -- coverage run -p -m nose.core -v traitsui.tests --nologcapture"]
# extra tests for qt
if toolkit in {'pyqt', 'pyside', 'pyqt5'}:
commands.append(
"edm run -e {environment} -- coverage run -p -m nose.core -v traitsui.qt4.tests --nologcapture")
# We run in a tempdir to avoid accidentally picking up wrong traitsui
# code from a local dir. We need to ensure a good .coveragerc is in
# that directory, plus coverage has a bug that means a non-local coverage
# file doesn't get populated correctly.
click.echo("Running tests in '{environment}'".format(**parameters))
with do_in_tempdir(files=['.coveragerc'], capture_files=['./.coverage*']):
os.environ.update(environ)
execute(commands, parameters)
click.echo('Done test')
@cli.command()
@click.option('--runtime', default='3.5')
@click.option('--toolkit', default='null')
@click.option('--environment', default=None)
def cleanup(runtime, toolkit, environment):
""" Remove a development environment.
"""
parameters = get_parameters(runtime, toolkit, environment)
commands = [
"edm run -e {environment} -- python setup.py clean",
"edm environments remove {environment} --purge -y"]
click.echo("Cleaning up environment '{environment}'".format(**parameters))
execute(commands, parameters)
click.echo('Done cleanup')
@cli.command()
@click.option('--runtime', default='3.5')
@click.option('--toolkit', default='null')
def test_clean(runtime, toolkit):
""" Run tests in a clean environment, cleaning up afterwards
"""
args = ['--toolkit={}'.format(toolkit), '--runtime={}'.format(runtime)]
try:
install(args=args, standalone_mode=False)
test(args=args, standalone_mode=False)
finally:
cleanup(args=args, standalone_mode=False)
@cli.command()
@click.option('--runtime', default='3.5')
@click.option('--toolkit', default='null')
@click.option('--environment', default=None)
def update(runtime, toolkit, environment):
""" Update/Reinstall package into environment.
"""
parameters = get_parameters(runtime, toolkit, environment)
commands = [
"edm run -e {environment} -- python setup.py install"]
click.echo("Re-installing in '{environment}'".format(**parameters))
execute(commands, parameters)
click.echo('Done update')
@cli.command()
def test_all():
""" Run test_clean across all supported environment combinations.
"""
for runtime, toolkits in supported_combinations.items():
for toolkit in toolkits:
args = ['--toolkit={}'.format(toolkit), '--runtime={}'.format(runtime)]
test_clean(args, standalone_mode=True)
# ----------------------------------------------------------------------------
# Utility routines
# ----------------------------------------------------------------------------
def get_parameters(runtime, toolkit, environment):
""" Set up parameters dictionary for format() substitution """
parameters = {'runtime': runtime, 'toolkit': toolkit, 'environment': environment}
if toolkit not in supported_combinations[runtime] :
msg = ("Python {runtime} and toolkit {toolkit} not supported by " +
"test environments")
raise RuntimeError(msg.format(**parameters))
if environment is None:
parameters['environment'] = 'traitsui-test-{runtime}-{toolkit}'.format(**parameters)
return parameters
@contextmanager
def do_in_tempdir(files=(), capture_files=()):
""" Create a temporary directory, cleaning up after done.
Creates the temporary directory, and changes into it. On exit returns to
original directory and removes temporary dir.
Parameters
----------
files : sequence of filenames
Files to be copied across to temporary directory.
capture_files : sequence of filenames
Files to be copied back from temporary directory.
"""
path = mkdtemp()
old_path = os.getcwd()
# send across any files we need
for filepath in files:
click.echo('copying file to tempdir: {}'.format(filepath))
copyfile(filepath, path)
os.chdir(path)
try:
yield path
# retrieve any result files we want
for pattern in capture_files:
for filepath in glob.iglob(pattern):
click.echo('copying file back: {}'.format(filepath))
copyfile(filepath, old_path)
finally:
os.chdir(old_path)
rmtree(path)
def execute(commands, parameters):
for command in commands:
print "[EXECUTING]", command.format(**parameters)
try:
subprocess.check_call(command.format(**parameters).split())
except subprocess.CalledProcessError:
sys.exit(1)
if __name__ == '__main__':
cli()