forked from pympler/pympler
-
Notifications
You must be signed in to change notification settings - Fork 1
/
run.py
executable file
·279 lines (246 loc) · 10.4 KB
/
run.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
#!/usr/bin/env python
import os
import struct
import sys
from fnmatch import fnmatch
from optparse import OptionParser
_Python_path = sys.executable # this Python binary
_Coverage = 'python-coverage'
_Src_dir = 'pympler'
_Verbose = 1
try:
from subprocess import call as _call
##from distutils.spawn import spawn as _call # raises DistutilsExecError
except ImportError: # no subprocess.call
def _call(args): # use partial substitute
return os.spawnlp(os.P_WAIT, args[0], args[0], *args[1:])
try:
from distutils.dir_util import mkpath as _mkpath
except ImportError:
def _mkpath(dir, **unused):
try:
os.makedirs(dir)
except OSError: # dir exists
pass
return dir # like distutils
from shutil import move as _mv, rmtree as shutil_rmtree
def _rmtree(dir):
# unlike dist_utils.dir_util.remove_tree,
# shutil.rmtree does ignore all errors
shutil_rmtree(dir, True)
def get_files(locations=['test'], pattern='test_*.py'):
'''Return all matching files in the given locations.
From the given directory locations recursively get all files
matching the specified name pattern. Any locations which are
file names and match the name pattern are returned verbatim.
'''
res = []
for location in locations:
if os.path.isfile(location):
fn = os.path.basename(location)
if fnmatch(fn, pattern):
res.append(location)
elif os.path.isdir(location):
for root, dirs, files in os.walk(location):
for fn in files:
if fnmatch(fn, pattern):
res.append(os.path.join(root,fn))
return res
def run_clean(*dirs):
'''Remove all bytecode files from the given directories.
'''
codes = get_files(dirs, pattern='*.py[c,o]')
codes.extend(get_files(dirs, pattern='*.py,cover'))
for code in codes:
if _Verbose > 1:
print ("Removing %r ..." % code)
os.remove(code)
def run_command(*args):
'''Run a command in sub-process.
'''
if _Verbose > 2:
print('Running: %s' % ' '.join(args))
r = _call(args)
if r:
print("Running '%s ...' failed with exit status %r" % (' '.join(args[:2]), r))
return r
def run_dist(project_path, formats=[], upload=False):
'''Create the distributions.
'''
f = ','.join(formats) or []
if f:
f = ['--formats=%s' % f]
if upload:
f.append('upload')
os.environ['PYTHONPATH'] = project_path
run_command(_Python_path, # use this Python binary
'setup.py', 'sdist',
'--force-manifest', *f)
def zip_docs(path, target):
'''Zip the documentation to be uploaded to the Cheeseshop.
Compress all files found in `path` recursively and strip the leading path
component. The file is written to `target`.
'''
import zipfile
import glob
def _strippath(file, path=path):
return file[len(path)+len(os.sep):]
zip = zipfile.ZipFile(target, 'w')
for name in glob.glob(os.path.join(path,'*')):
if os.path.isdir(name):
for dirpath, dirnames, filenames in os.walk(name):
for fname in filenames:
file = os.path.join(dirpath, fname)
if _Verbose > 1:
print ("Add " + _strippath(file))
zip.write(file, _strippath(file), zipfile.ZIP_DEFLATED)
else:
if _Verbose > 1:
print ("Add " + _strippath(name))
zip.write(name, _strippath(name), zipfile.ZIP_DEFLATED)
zip.close()
def run_sphinx(project_path, builders=['html', 'doctest'], keep=False, paper=''):
'''Create and test documentation with Sphinx.
'''
# change to ./doc dir
os.chdir(os.path.join(project_path, 'doc'))
doctrees = os.path.join('build', 'doctrees')
for builder in builders:
_rmtree(doctrees)
_mkpath(doctrees)
bildir = os.path.join('build', builder)
_rmtree(bildir)
_mkpath(bildir)
# see _Sphinx_build -help
opts = '-d', doctrees
if _Verbose == 0:
opts += '-q', # only warnings, no output
if paper: # 'letter' or 'a4'
opts += '-D', ('latex_paper_size=%s' % paper)
opts += 'source', bildir # source and out dirs
run_command(_Python_path, # use this Python binary
os.path.join(project_path, 'tools', 'sphinx.py'),
'-b', builder, *opts)
if keep: # move bildir up
_rmtree(builder)
_mv(bildir, builder) # os.curdir
zip_docs(builder, os.path.join('..', 'dist', 'pympler-docs.zip'))
else:
_rmtree(bildir)
_rmtree(doctrees)
os.chdir(project_path)
def run_unittests(project_path, dirs=[], coverage=False):
'''Run unittests for all given test directories.
If no tests are given, all unittests will be executed.
'''
# run unittests using test/runtest.py *dirs
if not coverage:
run_command(_Python_path, # use this Python binary
os.path.join(project_path, 'test', 'runtest.py'),
'-verbose', str(_Verbose + 1),
'-clean', '-pre', *dirs)
else:
run_command(_Coverage, '-x', # use installed coverage tool
os.path.join(project_path, 'test', 'runtest.py'),
'-verbose', str(_Verbose + 1),
'-clean', '-pre', *dirs)
# get all modules from pympler source, print summary and make a copy of
# each source module with coverage information (mod.py => mod.py,cover)
mods = get_files(locations=[_Src_dir], pattern='*.py')
run_command(_Coverage, '-r', *mods) # report
run_command(_Coverage, '-a', *mods) # annotate
coverage_out_file = '.coverage'
if (os.path.exists(coverage_out_file) and
not os.path.isdir(coverage_out_file)):
os.unlink(coverage_out_file)
def print2(text):
'''Print a headline text.
'''
if _Verbose > 0:
print ('')
if text:
b = struct.calcsize('P') << 3
p = sys.version.split()[0]
t = '%s (%d-bit Python %s)' % (text, b, p)
print (t)
print ('=' * len(t))
def main():
'''
Find and run all specified tests.
'''
global _Verbose
global _Coverage
usage = ('usage: %prog <options> [<args> ...]', '',
' e.g. %prog --clean',
' %prog --dist [--upload] [gztar] [zip]',
' %prog --doctest',
' %prog --html [--keep]',
' %prog --latex [--paper=letter|a4]',
' %prog --linkcheck',
' %prog --test [test | test/module | test/module/test_suite.py ...]')
parser = OptionParser(os.linesep.join(usage))
parser.add_option('-a', '--all', action='store_true', default=False,
dest='all', help='run all tests and create all documentation')
parser.add_option('-c', '--clean', action='store_true', default=False,
dest='clean', help='remove bytecode files from source and test directories')
parser.add_option('-d', '--dist', action='store_true', default=False,
dest='dist', help='create the distributions')
parser.add_option('-D', '--doctest', action='store_true', default=False,
dest='doctest', help='run the documentation tests')
parser.add_option('-H', '--html', action='store_true', default=False,
dest='html', help='create the HTML documentation')
parser.add_option('-k', '--keep', action='store_true', default=False,
dest='keep', help='keep documentation in the doc directory')
parser.add_option('-L','--latex', action='store_true', default=False,
dest='latex', help='create the LaTeX (PDF) documentation')
parser.add_option('--paper', default='letter', # or 'a4'
dest='paper', help='select LaTeX paper size (letter)')
parser.add_option('-i', '--linkcheck', action='store_true', default=False,
dest='linkcheck', help='check the documentation links')
parser.add_option('-t', '--test', action='store_true', default=False,
dest='test', help='run all or specific unit tests')
parser.add_option('--coverage', action='store_true', default=False,
dest='coverage', help='collect test coverage statistics')
parser.add_option('--cov-cmd', default=_Coverage, dest='covcmd',
help='coverage invocation command (%s)' % _Coverage)
parser.add_option('--upload', action='store_true', default=False,
dest='upload', help='upload distributions to the Python Cheese Shop')
parser.add_option('-V', '--verbose', default='1',
dest='V', help='set verbosity level (%d)' % _Verbose)
(options, args) = parser.parse_args()
project_path = os.path.abspath(os.path.dirname(sys.argv[0]))
os.environ['PYTHONPATH'] = os.pathsep.join([project_path,
#os.path.join(project_path, _Src_dir),
os.environ.get('PYTHONPATH', '')])
_Verbose = int(options.V)
_Coverage = options.covcmd
if options.all:
options.clean = True
options.doctest = True
options.html = True
options.keep = True
options.linkcheck = True
options.test = True
options.pychecker = True
if options.clean or options.dist: # remove all bytecodes, first
run_clean(_Src_dir, 'test')
if options.doctest:
print2('Running doctest')
run_sphinx(project_path, ['doctest'])
if options.html:
print2('Creating HTML documentation')
run_sphinx(project_path, ['html'], keep=options.keep)
if options.latex:
print2('Creating LaTex (PDF) documentation')
run_sphinx(project_path, ['latex'], paper=options.paper)
if options.linkcheck:
print2('Checking documentation links')
run_sphinx(project_path, ['linkcheck'])
if options.test:
print2('Running unittests')
run_unittests(project_path, args or ['test'], coverage=options.coverage)
if options.dist:
print2('Creating distribution')
run_dist(project_path, args or ['gztar', 'zip'], upload=options.upload)
if __name__ == '__main__':
main()