File size: 12,092 Bytes
065fee7 |
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 |
# fmt: off
"""PEP 517 build backend wrapper for pre-building Cython for wheel."""
from __future__ import annotations
import os
import typing as t
from contextlib import contextmanager, nullcontext, suppress
from pathlib import Path
from shutil import copytree
from sys import implementation as _system_implementation
from sys import stderr as _standard_error_stream
from sys import version_info as _python_version_tuple
from tempfile import TemporaryDirectory
from warnings import warn as _warn_that
from setuptools.build_meta import build_sdist as _setuptools_build_sdist
from setuptools.build_meta import build_wheel as _setuptools_build_wheel
from setuptools.build_meta import (
get_requires_for_build_wheel as _setuptools_get_requires_for_build_wheel,
)
from setuptools.build_meta import (
prepare_metadata_for_build_wheel as _setuptools_prepare_metadata_for_build_wheel,
)
try:
from setuptools.build_meta import build_editable as _setuptools_build_editable
except ImportError:
_setuptools_build_editable = None # type: ignore[assignment]
# isort: split
from distutils.command.install import install as _distutils_install_cmd
from distutils.core import Distribution as _DistutilsDistribution
from distutils.dist import DistributionMetadata as _DistutilsDistributionMetadata
with suppress(ImportError):
# NOTE: Only available for wheel builds that bundle C-extensions. Declared
# NOTE: by `get_requires_for_build_wheel()` and
# NOTE: `get_requires_for_build_editable()`, when `pure-python`
# NOTE: is not passed.
from Cython.Build.Cythonize import main as _cythonize_cli_cmd
from ._compat import chdir_cm
from ._cython_configuration import ( # noqa: WPS436
get_local_cython_config as _get_local_cython_config,
)
from ._cython_configuration import (
make_cythonize_cli_args_from_config as _make_cythonize_cli_args_from_config,
)
from ._cython_configuration import patched_env as _patched_cython_env
from ._transformers import sanitize_rst_roles # noqa: WPS436
__all__ = ( # noqa: WPS410
'build_sdist',
'build_wheel',
'get_requires_for_build_wheel',
'prepare_metadata_for_build_wheel',
*(
() if _setuptools_build_editable is None
else (
'build_editable',
'get_requires_for_build_editable',
'prepare_metadata_for_build_editable',
)
),
)
CYTHON_TRACING_CONFIG_SETTING = 'with-cython-tracing'
"""Config setting name toggle to include line tracing to C-exts."""
CYTHON_TRACING_ENV_VAR = 'YARL_CYTHON_TRACING'
"""Environment variable name toggle used to opt out of making C-exts."""
PURE_PYTHON_CONFIG_SETTING = 'pure-python'
"""Config setting name toggle that is used to opt out of making C-exts."""
PURE_PYTHON_ENV_VAR = 'YARL_NO_EXTENSIONS'
"""Environment variable name toggle used to opt out of making C-exts."""
IS_PY3_12_PLUS = _python_version_tuple[:2] >= (3, 12)
"""A flag meaning that the current runtime is Python 3.12 or higher."""
IS_CPYTHON = _system_implementation.name == "cpython"
"""A flag meaning that the current interpreter implementation is CPython."""
PURE_PYTHON_MODE_CLI_FALLBACK = not IS_CPYTHON
"""A fallback for ``pure-python`` is not set."""
def _is_truthy_setting_value(setting_value) -> bool:
truthy_values = {'', None, 'true', '1', 'on'}
return setting_value.lower() in truthy_values
def _get_setting_value(
config_settings: dict[str, str] | None = None,
config_setting_name: str | None = None,
env_var_name: str | None = None,
*,
default: bool = False,
) -> bool:
user_provided_setting_sources = (
(config_settings, config_setting_name, (KeyError, TypeError)),
(os.environ, env_var_name, KeyError),
)
for src_mapping, src_key, lookup_errors in user_provided_setting_sources:
if src_key is None:
continue
with suppress(lookup_errors): # type: ignore[arg-type]
return _is_truthy_setting_value(src_mapping[src_key]) # type: ignore[index]
return default
def _make_pure_python(config_settings: dict[str, str] | None = None) -> bool:
return _get_setting_value(
config_settings,
PURE_PYTHON_CONFIG_SETTING,
PURE_PYTHON_ENV_VAR,
default=PURE_PYTHON_MODE_CLI_FALLBACK,
)
def _include_cython_line_tracing(
config_settings: dict[str, str] | None = None,
*,
default=False,
) -> bool:
return _get_setting_value(
config_settings,
CYTHON_TRACING_CONFIG_SETTING,
CYTHON_TRACING_ENV_VAR,
default=default,
)
@contextmanager
def patched_distutils_cmd_install():
"""Make `install_lib` of `install` cmd always use `platlib`.
:yields: None
"""
# Without this, build_lib puts stuff under `*.data/purelib/` folder
orig_finalize = _distutils_install_cmd.finalize_options
def new_finalize_options(self): # noqa: WPS430
self.install_lib = self.install_platlib
orig_finalize(self)
_distutils_install_cmd.finalize_options = new_finalize_options
try:
yield
finally:
_distutils_install_cmd.finalize_options = orig_finalize
@contextmanager
def patched_dist_has_ext_modules():
"""Make `has_ext_modules` of `Distribution` always return `True`.
:yields: None
"""
# Without this, build_lib puts stuff under `*.data/platlib/` folder
orig_func = _DistutilsDistribution.has_ext_modules
_DistutilsDistribution.has_ext_modules = lambda *args, **kwargs: True
try:
yield
finally:
_DistutilsDistribution.has_ext_modules = orig_func
@contextmanager
def patched_dist_get_long_description():
"""Make `has_ext_modules` of `Distribution` always return `True`.
:yields: None
"""
# Without this, build_lib puts stuff under `*.data/platlib/` folder
_orig_func = _DistutilsDistributionMetadata.get_long_description
def _get_sanitized_long_description(self):
return sanitize_rst_roles(self.long_description)
_DistutilsDistributionMetadata.get_long_description = (
_get_sanitized_long_description
)
try:
yield
finally:
_DistutilsDistributionMetadata.get_long_description = _orig_func
@contextmanager
def _in_temporary_directory(src_dir: Path) -> t.Iterator[None]:
with TemporaryDirectory(prefix='.tmp-yarl-pep517-') as tmp_dir:
with chdir_cm(tmp_dir):
tmp_src_dir = Path(tmp_dir) / 'src'
copytree(src_dir, tmp_src_dir, symlinks=True)
os.chdir(tmp_src_dir)
yield
@contextmanager
def maybe_prebuild_c_extensions(
line_trace_cython_when_unset: bool = False,
build_inplace: bool = False,
config_settings: dict[str, str] | None = None,
) -> t.Generator[None, t.Any, t.Any]:
"""Pre-build C-extensions in a temporary directory, when needed.
This context manager also patches metadata, setuptools and distutils.
:param build_inplace: Whether to copy and chdir to a temporary location.
:param config_settings: :pep:`517` config settings mapping.
"""
cython_line_tracing_requested = _include_cython_line_tracing(
config_settings,
default=line_trace_cython_when_unset,
)
is_pure_python_build = _make_pure_python(config_settings)
if is_pure_python_build:
print("*********************", file=_standard_error_stream)
print("* Pure Python build *", file=_standard_error_stream)
print("*********************", file=_standard_error_stream)
if cython_line_tracing_requested:
_warn_that(
f'The `{CYTHON_TRACING_CONFIG_SETTING !s}` setting requesting '
'Cython line tracing is set, but building C-extensions is not. '
'This option will not have any effect for in the pure-python '
'build mode.',
RuntimeWarning,
stacklevel=999,
)
yield
return
print("**********************", file=_standard_error_stream)
print("* Accelerated build *", file=_standard_error_stream)
print("**********************", file=_standard_error_stream)
if not IS_CPYTHON:
_warn_that(
'Building C-extensions under the runtimes other than CPython is '
'unsupported and will likely fail. Consider passing the '
f'`{PURE_PYTHON_CONFIG_SETTING !s}` PEP 517 config setting.',
RuntimeWarning,
stacklevel=999,
)
build_dir_ctx = (
nullcontext() if build_inplace
else _in_temporary_directory(src_dir=Path.cwd().resolve())
)
with build_dir_ctx:
config = _get_local_cython_config()
cythonize_args = _make_cythonize_cli_args_from_config(config)
with _patched_cython_env(config['env'], cython_line_tracing_requested):
_cythonize_cli_cmd(cythonize_args)
with patched_distutils_cmd_install():
with patched_dist_has_ext_modules():
yield
@patched_dist_get_long_description()
def build_wheel(
wheel_directory: str,
config_settings: dict[str, str] | None = None,
metadata_directory: str | None = None,
) -> str:
"""Produce a built wheel.
This wraps the corresponding ``setuptools``' build backend hook.
:param wheel_directory: Directory to put the resulting wheel in.
:param config_settings: :pep:`517` config settings mapping.
:param metadata_directory: :file:`.dist-info` directory path.
"""
with maybe_prebuild_c_extensions(
line_trace_cython_when_unset=False,
build_inplace=False,
config_settings=config_settings,
):
return _setuptools_build_wheel(
wheel_directory=wheel_directory,
config_settings=config_settings,
metadata_directory=metadata_directory,
)
@patched_dist_get_long_description()
def build_editable(
wheel_directory: str,
config_settings: dict[str, str] | None = None,
metadata_directory: str | None = None,
) -> str:
"""Produce a built wheel for editable installs.
This wraps the corresponding ``setuptools``' build backend hook.
:param wheel_directory: Directory to put the resulting wheel in.
:param config_settings: :pep:`517` config settings mapping.
:param metadata_directory: :file:`.dist-info` directory path.
"""
with maybe_prebuild_c_extensions(
line_trace_cython_when_unset=True,
build_inplace=True,
config_settings=config_settings,
):
return _setuptools_build_editable(
wheel_directory=wheel_directory,
config_settings=config_settings,
metadata_directory=metadata_directory,
)
def get_requires_for_build_wheel(
config_settings: dict[str, str] | None = None,
) -> list[str]:
"""Determine additional requirements for building wheels.
:param config_settings: :pep:`517` config settings mapping.
"""
is_pure_python_build = _make_pure_python(config_settings)
if not is_pure_python_build and not IS_CPYTHON:
_warn_that(
'Building C-extensions under the runtimes other than CPython is '
'unsupported and will likely fail. Consider passing the '
f'`{PURE_PYTHON_CONFIG_SETTING !s}` PEP 517 config setting.',
RuntimeWarning,
stacklevel=999,
)
c_ext_build_deps = [] if is_pure_python_build else [
'Cython >= 3.0.0b3' if IS_PY3_12_PLUS # Only Cython 3+ is compatible
else 'Cython',
]
return _setuptools_get_requires_for_build_wheel(
config_settings=config_settings,
) + c_ext_build_deps
build_sdist = patched_dist_get_long_description()(_setuptools_build_sdist)
get_requires_for_build_editable = get_requires_for_build_wheel
prepare_metadata_for_build_wheel = patched_dist_get_long_description()(
_setuptools_prepare_metadata_for_build_wheel,
)
prepare_metadata_for_build_editable = prepare_metadata_for_build_wheel
|