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
|
## -*- python -*-
## (C) 2007-2014 Gustavo J. A. M. Carneiro
from wutils import get_version
from waflib import Options
from waflib import Build
from waflib import Scripting
Scripting.dist_format = 'zip'
from waflib import Configure
from waflib import Logs
import os
import subprocess
import shutil
import sys
import tarfile
import re
import types
APPNAME='pybindgen'
top = '.'
out = 'build'
## Add the pybindgen dir to PYTHONPATH, so that the examples and tests are properly built before pybindgen is installed.
if 'PYTHONPATH' in os.environ:
os.environ['PYTHONPATH'] = os.pathsep.join([os.getcwd(), os.environ['PYTHONPATH']])
else:
os.environ['PYTHONPATH'] = os.getcwd()
# http://coreygoldberg.blogspot.com/2009/07/python-zip-directories-recursively.html
def zipper(dir, zip_file, archive_main_folder=None):
import zipfile
zip = zipfile.ZipFile(zip_file, 'w', compression=zipfile.ZIP_DEFLATED)
root_len = len(os.path.abspath(dir))
for root, dirs, files in os.walk(dir):
archive_root = os.path.abspath(root)[root_len:]
for f in files:
fullpath = os.path.join(root, f)
archive_name = os.path.join(archive_root, f)
if archive_main_folder is not None:
if archive_name.startswith(os.sep):
n = archive_name[len(os.sep):]
else:
n = archive_name
archive_name = os.path.join(archive_main_folder, n)
zip.write(fullpath, archive_name, zipfile.ZIP_DEFLATED)
zip.close()
def options(opt):
opt.load('python_patched', tooldir="waf-tools")
opt.load('compiler_cc')
opt.load('compiler_cxx')
opt.load('cflags', tooldir="waf-tools")
opt.recurse('examples')
optgrp = opt.add_option_group("PyBindGen Options")
optgrp.add_option('--examples',
help=('Compile the example programs.'),
action="store_true", default=False,
dest='examples')
optgrp.add_option('--disable-pygccxml',
help=('Disable pygccxml for unit tests / examples.'),
action="store_true", default=False,
dest='disable_pygccxml')
optgrp.add_option('--valgrind',
help=('Run unit tests through valgrind.'),
action="store_true", default=False,
dest='valgrind')
def _check_compilation_flag(conf, flag, mode='cxx', linkflags=None):
"""
Checks if the C++ compiler accepts a certain compilation flag or flags
flag: can be a string or a list of strings
"""
l = []
if flag:
l.append(flag)
if isinstance(linkflags, list):
l.extend(linkflags)
else:
if linkflags:
l.append(linkflags)
if len(l) > 1:
flag_str = 'flags ' + ' '.join(l)
else:
flag_str = 'flag ' + ' '.join(l)
if len(flag_str) > 28:
flag_str = flag_str[:28] + "..."
conf.start_msg('Checking for compilation %s support' % (flag_str,))
env = conf.env.derive()
if mode == 'cc':
mode = 'c'
if mode == 'cxx':
fname = 'test.cc'
env.append_value('CXXFLAGS', flag)
else:
fname = 'test.c'
env.append_value('CFLAGS', flag)
if linkflags is not None:
env.append_value("LINKFLAGS", linkflags)
try:
retval = conf.run_c_code(code='#include <stdio.h>\nint main() { return 0; }\n',
env=env, compile_filename=fname,
features=[mode, mode+'program'], execute=False)
except conf.errors.ConfigurationError:
ok = False
else:
ok = (retval == 0)
conf.end_msg(ok)
return ok
# starting with waf 1.6, conf.check() becomes fatal by default if the
# test fails, this alternative method makes the test non-fatal, as it
# was in waf <= 1.5
def _check_nonfatal(conf, *args, **kwargs):
try:
return conf.check(*args, **kwargs)
except conf.errors.ConfigurationError:
return None
def configure(conf):
conf.check_compilation_flag = types.MethodType(_check_compilation_flag, conf)
conf.check_nonfatal = types.MethodType(_check_nonfatal, conf)
conf.load('command', tooldir="waf-tools")
conf.load('python_patched', tooldir="waf-tools")
conf.check_python_version((2,3))
try:
conf.load('compiler_cc')
conf.load('compiler_cxx')
except conf.errors.ConfigurationError:
Logs.warn("C/C++ compiler not detected. Unit tests and examples will not be compiled.")
conf.env['CXX'] = ''
else:
conf.load('cflags')
conf.check_python_headers()
if not Options.options.disable_pygccxml:
castxml = conf.find_program('castxml', mandatory=False)
gccxml = conf.find_program('gccxml', mandatory=False)
if not (gccxml or castxml):
conf.env['ENABLE_PYGCCXML'] = False
else:
try:
conf.check_python_module('pygccxml')
except conf.errors.ConfigurationError:
conf.env['ENABLE_PYGCCXML'] = False
else:
conf.env['ENABLE_PYGCCXML'] = True
if castxml:
conf.env['PYGCCXML_MODE'] = 'castxml'
else:
conf.env['PYGCCXML_MODE'] = 'gccxml'
# -fvisibility=hidden optimization
if (conf.env['CXX_NAME'] == 'gcc' and [int(x) for x in conf.env['CC_VERSION']] >= [4,0,0]
and conf.check_compilation_flag('-fvisibility=hidden')):
conf.env.append_value('CXXFLAGS_PYEXT', '-fvisibility=hidden')
conf.env.append_value('CCFLAGS_PYEXT', '-fvisibility=hidden')
# Add include path for our stdint.h replacement, if needed (pstdint.h)
if not conf.check_nonfatal(header_name='stdint.h'):
conf.env.append_value('CPPPATH', os.path.join(conf.curdir, 'include'))
if conf.check_nonfatal(header_name='boost/shared_ptr.hpp'):
conf.env['ENABLE_BOOST_SHARED_PTR'] = True
conf.recurse('benchmarks')
conf.recurse('examples')
def build(bld):
bld.recurse('pybindgen')
if bld.cmd == 'check':
bld.recurse('tests')
if Options.options.examples:
bld.recurse('examples')
if 0: # FIXME
if Options.commands.get('bench', False) or Options.commands['clean']:
bld.recurse('benchmarks')
check_context = Build.BuildContext
def bench(bld):
"run the benchmarks; requires many tools, used by maintainers only"
Scripting.build(bld)
env = g_bld.env
print("Running benchmarks...")
retval = subprocess.Popen([env['PYTHON'], '-O', 'benchmarks/bench.py',
"build/default/benchmarks/results.xml", ' '.join(env['CXXFLAGS_PYEXT'] + env['CXXFLAGS'])]).wait()
if retval:
raise SystemExit(retval)
print("Generating benchmarks report...")
retval = subprocess.Popen([env['PYTHON'], '-O', 'benchmarks/plotresults.py',
"build/default/benchmarks/results.xml",
"build/default/benchmarks/results"]).wait()
if retval:
raise SystemExit(retval)
from waflib import Context, Build, Scripting
class CheckContext(Context.Context):
"""run the unit tests"""
cmd = 'check'
def execute(self):
# first we execute the build
bld = Context.create_context("build")
bld.options = Options.options # provided for convenience
bld.cmd = "check"
bld.execute()
if Options.options.verbose:
verbosity = ['-v']
else:
verbosity = []
if Options.options.valgrind:
valgrind = ['valgrind', '--leak-check=full', '--leak-resolution=low']
else:
valgrind = []
print("Running pure python unit tests...")
python = bld.env['PYTHON'][0]
retval1 = subprocess.Popen([python, 'tests/test.py'] + verbosity).wait()
env = bld.env
retvals = []
if env['CXX']:
print("Running manual module generation unit tests (module foo)...")
retvals.append(subprocess.Popen(valgrind + [python, 'tests/footest.py', '1', 'none'] + verbosity).wait())
else:
print("Skipping manual module generation unit tests (no C/C++ compiler)...")
if env['ENABLE_PYGCCXML']:
print("Running automatically scanned module generation unit tests (module foo2)...")
retvals.append(subprocess.Popen(valgrind + [python, 'tests/footest.py', '2', env['PYGCCXML_MODE']] + verbosity).wait())
print("Running module generated by automatically generated python script unit tests (module foo3)...")
retvals.append(subprocess.Popen(valgrind + [python, 'tests/footest.py', '3', env['PYGCCXML_MODE']] + verbosity).wait())
print("Running module generated by generated and split python script unit tests (module foo4)...")
retvals.append(subprocess.Popen(valgrind + [python, 'tests/footest.py', '4', env['PYGCCXML_MODE']] + verbosity).wait())
print("Running semi-automatically scanned c-hello module ('hello')...")
retvals.append(subprocess.Popen(valgrind + [python, 'tests/c-hello/hellotest.py'] + verbosity).wait())
else:
print("Skipping automatically scanned module generation unit tests (pygccxml missing)...")
print("Skipping module generated by automatically generated python script unit tests (pygccxml missing)...")
print("Skipping module generated by generated and split python script unit tests (pygccxml missing)...")
print("Skipping semi-automatically scanned c-hello module (pygccxml missing)...")
if env['ENABLE_BOOST_SHARED_PTR']:
print("Running boost::shared_ptr unit tests...")
retvals.append(subprocess.Popen(valgrind + [python, 'tests/boost/bartest.py'] + verbosity).wait())
else:
print("Skipping boost::shared_ptr unit tests (boost headers not found)...")
if any(retvals):
Logs.error("Unit test failures")
raise SystemExit(2)
class DistContext(Scripting.Dist):
cmd = 'dist'
def get_base_name(self):
srcdir = '.'
version = get_version(srcdir)
return "pybindgen-" + version
def execute(self):
blddir = './build'
srcdir = '.'
subprocess.Popen(["python", os.path.join(srcdir, "setup.py"), "clean"]).wait()
version = get_version(srcdir)
subprocess.Popen([os.path.join(srcdir, "generate-ChangeLog")], shell=True).wait()
try:
os.chmod(os.path.join(srcdir, "ChangeLog"), 0o644)
except OSError:
pass
## Package the api docs in a separate tarball
# generate the docs first
r = subprocess.Popen(["make", "html"], cwd='doc').wait()
if r:
raise SystemExit(r)
apidocs = 'apidocs'
if not os.path.isdir('doc/_build/html'):
Logs.warn("Not creating docs archive: the `doc/_build/html' directory does not exist")
else:
zipper('doc/_build/html', "pybindgen-%s-docs.zip" % version)
try:
os.unlink('waf-light')
except OSError:
pass
super(DistContext, self).execute() # -----------------------------
def get_excl(self):
return super(DistContext, self).get_excl() + ' *.zip doc/_build .shelf *.pstat'
def docs(ctx):
"generate API documentation, using epydoc"
retval = subprocess.Popen(["make", "html"], cwd='doc').wait()
if retval:
Logs.error("make returned with code %i" % retval)
raise SystemExit(2)
|