forked from pkgcore/pkgcore
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathpkgdist.py
416 lines (326 loc) · 14.8 KB
/
pkgdist.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
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
# Copyright: 2008-2011 Brian Harring <[email protected]>
# License: BSD/GPL2
"""
A collection of distutils extensions adding things like automatic 2to3
translation, a test runner, and working around broken stdlib extensions CFLAG
passing in distutils.
Generally speaking, you should flip through this modules src.
"""
import inspect
import math
import os
import sys
import subprocess
import textwrap
os.environ["SNAKEOIL_DEMANDLOAD_PROTECTION"] = 'n'
os.environ["SNAKEOIL_DEMANDLOAD_WARN"] = 'n'
from distutils import log, errors
from distutils.core import Command, Extension
from distutils.command import (
sdist as dst_sdist, build_ext as dst_build_ext, build_py as dst_build_py,
build as dst_build, build_scripts as dst_build_scripts)
def find_project(repo_file):
toplevel = os.path.dirname(os.path.realpath(repo_file))
toplevel_depth = len(toplevel.split('/'))
# look for a top-level module
for root, dirs, files in os.walk(toplevel):
if len(root.split('/')) > toplevel_depth + 1:
continue
if '__init__.py' in files:
return os.path.basename(root)
raise ValueError('No project module found')
# determine the project we're being imported into
project = find_project(inspect.stack(0)[1][1])
class OptionalExtension(Extension):
"""python extension that is optional to build.
If it's not required to have the exception built, just preferable,
use this class instead of :py:class:`Extension` since the machinery
in this module relies on isinstance to identify what absolutely must
be built vs what would be nice to have built.
"""
pass
class sdist(dst_sdist.sdist):
"""sdist command wrapper to generate version info file"""
package_namespace = project
user_options = dst_sdist.sdist.user_options + [
('build-docs', None, 'build docs'),
]
boolean_options = dst_sdist.sdist.boolean_options + ['build-docs']
def initialize_options(self):
dst_sdist.sdist.initialize_options(self)
self.build_docs = False
def generate_verinfo(self, base_dir):
from snakeoil.version import get_git_version
log.info('generating _verinfo')
data = get_git_version(base_dir)
if not data:
return
path = os.path.join(base_dir, self.package_namespace, '_verinfo.py')
with open(path, 'w') as f:
f.write('version_info=%r' % (data,))
def make_release_tree(self, base_dir, files):
"""Create and populate the directory tree that is put in source tars.
This copies or hardlinks "normal" source files that should go
into the release and adds generated files that should not
exist in a working tree.
"""
if self.build_docs:
import shutil
cwd = os.getcwd()
# need to make sure we're using a built version of pkgcore for the
# current python version since doc/conf.py imports pkgcore modules
build_py = self.get_finalized_command('build_py')
build_py.run()
if subprocess.call([sys.executable, 'setup.py', 'build_man'], cwd=cwd):
raise errors.DistutilsExecError("build_man failed")
shutil.copytree(os.path.join(cwd, "build/sphinx/man"),
os.path.join(base_dir, "man"))
dst_sdist.sdist.make_release_tree(self, base_dir, files)
self.generate_verinfo(base_dir)
class build_py(dst_build_py.build_py):
user_options = dst_build_py.build_py.user_options + [("inplace", "i", "do any source conversions in place")]
package_namespace = project
generate_verinfo = True
def initialize_options(self):
dst_build_py.build_py.initialize_options(self)
self.inplace = False
def finalize_options(self):
self.inplace = bool(self.inplace)
if self.inplace:
self.build_lib = '.'
dst_build_py.build_py.finalize_options(self)
def _compute_rebuilds(self, force=False):
for base, mod_name, path in self.find_all_modules():
try:
new_mtime = math.floor(os.lstat(path).st_mtime)
except EnvironmentError:
# ok... wtf distutils?
continue
trg_path = os.path.join(self.build_lib, path)
if force:
yield trg_path, new_mtime
continue
try:
old_mtime = math.floor(os.lstat(trg_path).st_mtime)
except EnvironmentError:
yield trg_path, new_mtime
continue
if old_mtime != new_mtime:
yield trg_path, new_mtime
def _inner_run(self, rebuilds):
pass
def _run_generate_verinfo(self, rebuilds):
from snakeoil.version import get_git_version
ver_path = self.get_module_outfile(
self.build_lib, (self.package_namespace,), '_verinfo')
# this should check mtime...
if not os.path.exists(ver_path):
log.info('generating _verinfo')
with open(ver_path, 'w') as f:
f.write("version_info=%r" % (get_git_version('.'),))
self.byte_compile([ver_path])
rebuilds.append((ver_path, os.lstat(ver_path).st_mtime))
def get_py2to3_converter(self, options=None, proc_count=0):
from lib2to3 import refactor as ref_mod
from snakeoil.dist import caching_2to3
if ((sys.version_info >= (3, 0) and sys.version_info < (3, 1, 2)) or
(sys.version_info >= (2, 6) and sys.version_info < (2, 6, 5))):
if proc_count not in (0, 1):
log.warn(
"disabling parallelization: you're running a python version "
"with a broken multiprocessing.queue.JoinableQueue.put "
"(python bug 4660).")
proc_count = 1
elif proc_count == 0:
import multiprocessing
proc_count = multiprocessing.cpu_count()
assert proc_count >= 1
if proc_count > 1 and not caching_2to3.multiprocessing_available:
proc_count = 1
refactor_kls = caching_2to3.MultiprocessRefactoringTool
fixer_names = ref_mod.get_fixers_from_package('lib2to3.fixes')
f = refactor_kls(fixer_names, options=options).refactor
def f2(*args, **kwds):
if caching_2to3.multiprocessing_available:
kwds['num_processes'] = proc_count
return f(*args, **kwds)
return f2
def run(self):
py3k_rebuilds = []
if not self.inplace:
if is_py3k:
py3k_rebuilds = list(self._compute_rebuilds(
self.force))
dst_build_py.build_py.run(self)
if self.generate_verinfo:
self._run_generate_verinfo(py3k_rebuilds)
self._inner_run(py3k_rebuilds)
if not is_py3k:
return
converter = self.get_py2to3_converter()
log.info("starting 2to3 conversion; this may take a while...")
converter([x[0] for x in py3k_rebuilds], write=True)
for path, mtime in py3k_rebuilds:
os.utime(path, (-1, mtime))
log.info("completed py3k conversions")
class build_py3(build_py):
"""build command wrapper for running 3to2 for py2 targets"""
def run(self):
py2k_rebuilds = []
if not self.inplace:
if not is_py3k:
py2k_rebuilds = list(self._compute_rebuilds(self.force))
dst_build_py.build_py.run(self)
if self.generate_verinfo:
self._run_generate_verinfo(py2k_rebuilds)
self._inner_run(py2k_rebuilds)
if is_py3k:
return
from lib3to2.build import run_3to2
from lib2to3 import refactor
# assume a few fixes are already handled in the code or aren't needed
# for py27
skip_list = (
'lib3to2.fixes.fix_str', 'lib3to2.fixes.fix_printfunction',
'lib3to2.fixes.fix_except', 'lib3to2.fixes.fix_with',
)
fixer_names = [x for x in refactor.get_fixers_from_package('lib3to2.fixes')
if x not in skip_list]
log.info("starting 3to2 conversion; this may take a while...")
run_3to2([x[0] for x in py2k_rebuilds], fixer_names=fixer_names)
for path, mtime in py2k_rebuilds:
os.utime(path, (-1, mtime))
log.info("completed py2k conversions")
class build_ext(dst_build_ext.build_ext):
user_options = dst_build_ext.build_ext.user_options + [
("build-optional=", "o", "build optional C modules"),
("disable-distutils-flag-fixing", None,
"disable fixing of issue 969718 in python, adding missing -fno-strict-aliasing"),
]
boolean_options = dst_build.build.boolean_options + ["build-optional"]
def initialize_options(self):
dst_build_ext.build_ext.initialize_options(self)
self.build_optional = None
self.disable_distutils_flag_fixing = False
self.default_header_install_dir = None
def finalize_options(self):
dst_build_ext.build_ext.finalize_options(self)
if self.build_optional is None:
self.build_optional = True
if not self.build_optional:
self.extensions = [ext for ext in self.extensions if not isinstance(ext, OptionalExtension)] or None
# add header install dir to the search path
# (fixes virtualenv builds for consumer extensions)
self.set_undefined_options('install', ('install_headers', 'default_header_install_dir'))
if self.default_header_install_dir:
self.default_header_install_dir = os.path.dirname(self.default_header_install_dir)
for e in self.extensions:
# include_dirs may actually be shared between multiple extensions
if self.default_header_install_dir not in e.include_dirs:
e.include_dirs.append(self.default_header_install_dir)
def build_extensions(self):
if self.debug:
# say it with me kids... distutils sucks!
for x in ("compiler_so", "compiler", "compiler_cxx"):
l = [y for y in getattr(self.compiler, x) if y != '-DNDEBUG']
l.append('-Wall')
setattr(self.compiler, x, l)
if not self.disable_distutils_flag_fixing:
for x in ("compiler_so", "compiler", "compiler_cxx"):
val = getattr(self.compiler, x)
if "-fno-strict-aliasing" not in val:
val.append("-fno-strict-aliasing")
return dst_build_ext.build_ext.build_extensions(self)
class build_scripts(dst_build_scripts.build_scripts):
"""Create and build (copy and modify #! line) the wrapper scripts."""
def run(self):
script_dir = os.path.join(
os.path.dirname(self.build_dir), '.generated_scripts')
self.mkpath(script_dir)
self.scripts = [os.path.join(script_dir, x) for x in os.listdir('bin')]
for script in self.scripts:
with open(script, 'w') as f:
f.write(textwrap.dedent("""\
#!/usr/bin/env python
from os.path import basename
from %s import scripts
scripts.main(basename(__file__))
""" % project))
self.copy_scripts()
class test(Command):
"""Run our unit tests in a built copy.
Based on code from setuptools.
"""
blacklist = frozenset()
user_options = [
("inplace", "i", "do building/testing in place"),
("skip-rebuilding", "s", "skip rebuilds. primarily for development"),
("disable-fork", None, "disable forking of the testloader; primarily for debugging. "
"Automatically set in jython, disabled for cpython/unladen-swallow."),
("namespaces=", "t", "run only tests matching these namespaces. "
"comma delimited"),
("pure-python", None, "disable building of extensions. Enabled for jython, disabled elsewhere"),
("force", "f", "force build_py/build_ext as needed"),
("include-dirs=", "I", "include dirs for build_ext if needed"),
]
default_test_namespace = '%s.test' % project
def initialize_options(self):
self.inplace = False
self.disable_fork = is_jython
self.namespaces = ''
self.pure_python = is_jython
self.force = False
self.include_dirs = None
def finalize_options(self):
self.inplace = bool(self.inplace)
self.disable_fork = bool(self.disable_fork)
self.pure_python = bool(self.pure_python)
self.force = bool(self.force)
if isinstance(self.include_dirs, str):
self.include_dirs = self.include_dirs.split(os.pathsep)
if self.namespaces:
self.namespaces = tuple(set(self.namespaces.split(',')))
else:
self.namespaces = ()
def run(self):
from snakeoil.dist import unittest_extensions
build_ext = self.reinitialize_command('build_ext')
build_py = self.reinitialize_command('build_py')
build_ext.inplace = build_py.inplace = self.inplace
build_ext.force = build_py.force = self.force
if self.include_dirs:
build_ext.include_dirs = self.include_dirs
if not self.pure_python:
self.run_command('build_ext')
if not self.inplace:
self.run_command('build_py')
syspath = sys.path[:]
mods_to_wipe = ()
if not self.inplace:
cwd = os.getcwd()
syspath = [x for x in sys.path if x != cwd]
test_path = os.path.abspath(build_py.build_lib)
syspath.insert(0, test_path)
mods = build_py.find_all_modules()
mods_to_wipe = set(x[0] for x in mods)
mods_to_wipe.update('.'.join(x[:2]) for x in mods)
namespaces = self.namespaces
if not self.namespaces:
namespaces = [self.default_test_namespace]
retval = unittest_extensions.run_tests(
namespaces, disable_fork=self.disable_fork,
blacklist=self.blacklist, pythonpath=syspath,
modules_to_wipe=mods_to_wipe)
# remove temporary plugincache so it isn't installed
plugincache = os.path.join(
os.path.abspath(build_py.build_lib), build_py.package_namespace,
'plugins/plugincache')
if os.path.exists(plugincache):
os.remove(plugincache)
if retval:
raise errors.DistutilsExecError("tests failed; return %i" % (retval,))
# yes these are in snakeoil.compatibility; we can't rely on that module however
# since snakeoil source is in 2k form, but this module is 2k/3k compatible.
# in other words, it could be invoked by py3k to translate snakeoil to py3k
is_py3k = sys.version_info >= (3, 0)
is_jython = 'java' in getattr(sys, 'getPlatform', lambda: '')().lower()