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 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440
|
import os, sys
import pytest, py
import re
import textwrap
PY2 = sys.version_info[0] == 2
# True if `sys.executable` is set to a value that allows a Python equivalent to
# the current Python to be launched via, e.g., `python_subprocess.run(...)`.
# By default is `True` if sys.executable is set to a true value.
SUPPORTS_SYS_EXECUTABLE = False
# True if we are running on the CPython debug build
IS_PYTHON_DEBUG_BUILD = False
def reindent(s, indent):
s = textwrap.dedent(s)
return ''.join(' '*indent + line if line.strip() else line
for line in s.splitlines(True))
class DefaultExtensionTemplate(object):
INIT_TEMPLATE = textwrap.dedent("""
static HPyDef *moduledefs[] = {
%(defines)s
NULL
};
%(globals_defs)s
static HPyModuleDef moduledef = {
.name = "%(name)s",
.doc = "some test for hpy",
.size = -1,
.legacy_methods = %(legacy_methods)s,
.defines = moduledefs,
%(globals_field)s
};
HPy_MODINIT(%(name)s)
static HPy init_%(name)s_impl(HPyContext *ctx)
{
HPy m = HPy_NULL;
m = HPyModule_Create(ctx, &moduledef);
if (HPy_IsNull(m))
goto MODINIT_ERROR;
%(init_types)s
return m;
MODINIT_ERROR:
if (!HPy_IsNull(m))
HPy_Close(ctx, m);
return HPy_NULL;
}
""")
r_marker = re.compile(r"^\s*@([A-Za-z_]+)(\(.*\))?$")
def __init__(self, src, name):
self.src = textwrap.dedent(src)
self.name = name
self.defines_table = None
self.legacy_methods = 'NULL'
self.type_table = None
self.globals_table = None
def expand(self):
self.defines_table = []
self.globals_table = []
self.type_table = []
self.output = ['#include <hpy.h>']
for line in self.src.split('\n'):
match = self.r_marker.match(line)
if match:
name, args = self.parse_marker(match)
meth = getattr(self, name)
out = meth(*args)
if out is not None:
out = textwrap.dedent(out)
self.output.append(out)
else:
self.output.append(line)
return '\n'.join(self.output)
def parse_marker(self, match):
name = match.group(1)
args = match.group(2)
if args is None:
args = ()
else:
assert args[0] == '('
assert args[-1] == ')'
args = args[1:-1].split(',')
args = [x.strip() for x in args]
return name, args
def INIT(self):
NL_INDENT = '\n '
if self.type_table:
init_types = '\n'.join(self.type_table)
else:
init_types = ''
globals_defs = ''
globals_field = ''
if self.globals_table:
globals_defs = \
textwrap.dedent('''
static HPyGlobal *module_globals[] = {
%s
};''') % NL_INDENT.join(self.globals_table)
globals_field = '.globals = module_globals'
exp = self.INIT_TEMPLATE % {
'legacy_methods': self.legacy_methods,
'defines': NL_INDENT.join(self.defines_table),
'init_types': init_types,
'name': self.name,
'globals_defs': globals_defs,
'globals_field': globals_field}
self.output.append(exp)
# make sure that we don't fill the tables any more
self.defines_table = None
self.type_table = None
def EXPORT(self, meth):
self.defines_table.append('&%s,' % meth)
def EXPORT_GLOBAL(self, var):
self.globals_table.append('&%s,' % var)
def EXPORT_LEGACY(self, pymethoddef):
self.legacy_methods = pymethoddef
def EXPORT_TYPE(self, name, spec):
src = """
if (!HPyHelpers_AddType(ctx, m, {name}, &{spec}, NULL)) {{
goto MODINIT_ERROR;
}}
"""
src = reindent(src, 4)
self.type_table.append(src.format(
name=name,
spec=spec))
def EXTRA_INIT_FUNC(self, func):
src = """
{func}(ctx, m);
if (HPyErr_Occurred(ctx))
goto MODINIT_ERROR;
"""
src = reindent(src, 4)
self.type_table.append(src.format(func=func))
class Spec(object):
def __init__(self, name, origin):
self.name = name
self.origin = origin
class HPyModule(object):
def __init__(self, name, so_file):
self.name = name
self.so_filename = so_file
class ExtensionCompiler:
def __init__(self, tmpdir, hpy_devel, hpy_abi, compiler_verbose=False,
ExtensionTemplate=DefaultExtensionTemplate,
extra_include_dirs=None, extra_link_args=[]):
"""
hpy_devel is an instance of HPyDevel which specifies where to find
include/, runtime/src, etc. Usually it will point to hpy/devel/, but
alternate implementations can point to their own place (e.g. pypy puts
it into pypy/module/_hpy_universal/_vendored)
extra_include_dirs is a list of include dirs which is put BEFORE all
others. By default it is empty, but it is used e.g. by PyPy to make
sure that #include <Python.h> picks its own version, instead of the
system-wide one.
extra_link_args is appended to the link arguments
"""
self.tmpdir = tmpdir
self.hpy_devel = hpy_devel
self.hpy_abi = hpy_abi
self.compiler_verbose = compiler_verbose
self.ExtensionTemplate=ExtensionTemplate
self.extra_include_dirs = extra_include_dirs
self.extra_link_args = extra_link_args
def _expand(self, ExtensionTemplate, name, template):
source = ExtensionTemplate(template, name).expand()
filename = self.tmpdir.join(name + '.c')
if PY2:
# this code is used also by pypy tests, which run on python2. In
# this case, we need to write as binary, because source is
# "bytes". If we don't and source contains a non-ascii char, we
# get an UnicodeDecodeError
filename.write(source, mode='wb')
else:
filename.write(source)
return name + '.c'
def _fixup_template(self, ExtensionTemplate):
return self.ExtensionTemplate if ExtensionTemplate is None else ExtensionTemplate
def compile_module(self, main_src, ExtensionTemplate=None, name='mytest', extra_sources=()):
"""
Create and compile a HPy module from the template
"""
ExtensionTemplate = self._fixup_template(ExtensionTemplate)
from distutils.core import Extension
filename = self._expand(ExtensionTemplate, name, main_src)
sources = [str(filename)]
for i, src in enumerate(extra_sources):
extra_filename = self._expand(ExtensionTemplate, 'extmod_%d' % i, src)
sources.append(extra_filename)
#
if sys.platform == 'win32':
# not strictly true, could be mingw
compile_args = [
'/Od',
'/WX', # turn warnings into errors (all, for now)
# '/Wall', # this is too aggresive, makes windows itself fail
'/Zi',
'-D_CRT_SECURE_NO_WARNINGS', # something about _snprintf and _snprintf_s
'/FS', # Since the tests run in parallel
]
link_args = [
'/DEBUG',
'/LTCG',
]
else:
compile_args = [
'-g', '-O0',
'-Wfatal-errors', # stop after one error (unrelated to warnings)
'-Werror', # turn warnings into errors (all, for now)
]
link_args = [
'-g',
]
#
ext = Extension(
name,
sources=sources,
include_dirs=self.extra_include_dirs,
extra_compile_args=compile_args,
extra_link_args=link_args + self.extra_link_args)
hpy_abi = self.hpy_abi
if hpy_abi == 'debug':
# there is no compile-time difference between universal and debug
# extensions. The only difference happens at load time
hpy_abi = 'universal'
so_filename = c_compile(str(self.tmpdir), ext,
hpy_devel=self.hpy_devel,
hpy_abi=hpy_abi,
compiler_verbose=self.compiler_verbose)
return HPyModule(name, so_filename)
def make_module(self, main_src, ExtensionTemplate=None, name='mytest',
extra_sources=()):
"""
Compile & load a module. This is NOT a proper import: e.g.
the module is not put into sys.modules.
We don't want to unnecessarily modify the global state inside tests:
if you are writing a test which needs a proper import, you should not
use make_module but explicitly use compile_module and import it
manually as required by your test.
"""
ExtensionTemplate = self._fixup_template(ExtensionTemplate)
module = self.compile_module(
main_src, ExtensionTemplate, name, extra_sources)
so_filename = module.so_filename
if self.hpy_abi == 'universal':
return self.load_universal_module(name, so_filename, debug=False)
elif self.hpy_abi == 'debug':
return self.load_universal_module(name, so_filename, debug=True)
elif self.hpy_abi == 'cpython':
return self.load_cpython_module(name, so_filename)
else:
assert False
def load_universal_module(self, name, so_filename, debug):
assert self.hpy_abi in ('universal', 'debug')
import sys
import hpy.universal
assert name not in sys.modules
mod = hpy.universal.load(name, so_filename, debug=debug)
mod.__file__ = so_filename
return mod
def load_cpython_module(self, name, so_filename):
assert self.hpy_abi == 'cpython'
# we've got a normal CPython module compiled with the CPython API/ABI,
# let's load it normally. It is important to do the imports only here,
# because this file will be imported also by PyPy tests which runs on
# Python2
import importlib.util
import sys
assert name not in sys.modules
spec = importlib.util.spec_from_file_location(name, so_filename)
try:
# module_from_spec adds the module to sys.modules
module = importlib.util.module_from_spec(spec)
finally:
if name in sys.modules:
del sys.modules[name]
spec.loader.exec_module(module)
return module
@pytest.mark.usefixtures('initargs')
class HPyTest:
ExtensionTemplate = DefaultExtensionTemplate
@pytest.fixture()
def initargs(self, compiler):
self.compiler = compiler
def make_module(self, main_src, name='mytest', extra_sources=()):
ExtensionTemplate = self.ExtensionTemplate
return self.compiler.make_module(main_src, ExtensionTemplate, name,
extra_sources)
def compile_module(self, main_src, name='mytest', extra_sources=()):
ExtensionTemplate = self.ExtensionTemplate
return self.compiler.compile_module(main_src, ExtensionTemplate, name,
extra_sources)
def supports_refcounts(self):
""" Returns True if the underlying Python implementation supports
reference counts.
By default returns True on CPython and False on other
implementations.
"""
return sys.implementation.name == "cpython"
def supports_ordinary_make_module_imports(self):
""" Returns True if `.make_module(...)` loads modules using a
standard Python import mechanism (e.g. `importlib.import_module`).
By default returns True because the base implementation of
`.make_module(...)` uses an ordinary import. Sub-classes that
override `.make_module(...)` may also want to override this
method.
"""
return True
def supports_sys_executable(self):
""" Returns True is `sys.executable` is set to a value that allows
a Python equivalent to the current Python to be launched via, e.g.,
`subprocess.run(...)`.
By default returns `True` if sys.executable is set to a true value.
"""
return bool(getattr(sys, "executable", None))
class HPyDebugTest(HPyTest):
"""
Like HPyTest, but force hpy_abi=='debug' and thus run only [debug] tests
"""
# override initargs to avoid using hpy_debug (we don't want to detect
# leaks here, we make them on purpose!
@pytest.fixture()
def initargs(self, compiler):
self.compiler = compiler
@pytest.fixture(params=['debug'])
def hpy_abi(self, request):
return request.param
# the few functions below are copied and adapted from cffi/ffiplatform.py
def c_compile(tmpdir, ext, hpy_devel, hpy_abi, compiler_verbose=0, debug=None):
"""Compile a C extension module using distutils."""
saved_environ = os.environ.copy()
try:
outputfilename = _build(tmpdir, ext, hpy_devel, hpy_abi, compiler_verbose, debug)
outputfilename = os.path.abspath(outputfilename)
finally:
# workaround for a distutils bugs where some env vars can
# become longer and longer every time it is used
for key, value in saved_environ.items():
if os.environ.get(key) != value:
os.environ[key] = value
return outputfilename
def _build(tmpdir, ext, hpy_devel, hpy_abi, compiler_verbose=0, debug=None):
# XXX compact but horrible :-(
from distutils.core import Distribution
import distutils.errors
import distutils.log
#
dist = Distribution()
dist.parse_config_files()
if debug is None:
debug = sys.flags.debug
options_build_ext = dist.get_option_dict('build_ext')
options_build_ext['debug'] = ('ffiplatform', debug)
options_build_ext['force'] = ('ffiplatform', True)
options_build_ext['build_lib'] = ('ffiplatform', tmpdir)
options_build_ext['build_temp'] = ('ffiplatform', tmpdir)
options_build_py = dist.get_option_dict('build_py')
options_build_py['build_lib'] = ('ffiplatform', tmpdir)
# this is the equivalent of passing --hpy-abi from setup.py's command line
dist.hpy_abi = hpy_abi
dist.hpy_ext_modules = [ext]
hpy_devel.fix_distribution(dist)
old_level = distutils.log.set_threshold(0) or 0
old_dir = os.getcwd()
try:
os.chdir(tmpdir)
distutils.log.set_verbosity(compiler_verbose)
dist.run_command('build_ext')
cmd_obj = dist.get_command_obj('build_ext')
outputs = cmd_obj.get_outputs()
sonames = [x for x in outputs if
not x.endswith(".py") and not x.endswith(".pyc")]
assert len(sonames) == 1, 'build_ext is not supposed to return multiple DLLs'
soname = sonames[0]
finally:
os.chdir(old_dir)
distutils.log.set_threshold(old_level)
return soname
# For situations when one wants to have "support.py" on the call stack.
# For example, for asserting that it is in a stack trace.
def trampoline(fun, *args, **kwargs):
fun(*args, **kwargs)
|