mirror of https://github.com/astral-sh/uv
Fixups; restructure
This commit is contained in:
parent
73b1aa85a2
commit
47a87e46b9
|
|
@ -2,8 +2,8 @@
|
|||
|
||||
A daemon process for PEP 517 build hook requests.
|
||||
|
||||
|
||||
## Example
|
||||
|
||||
```
|
||||
PYTHONPATH=scripts/hookd/backends ./scripts/hookd/hookd.py < scripts/hookd/example.in
|
||||
```
|
||||
|
|
@ -22,7 +22,7 @@ The daemon communicates with bidirectional messages over STDIN and STDOUT.
|
|||
Each message is terminated with a newline.
|
||||
Newlines in values will be escaped as `\\n`.
|
||||
|
||||
``````
|
||||
```
|
||||
READY
|
||||
|
||||
Signals that the daemon is ready to do work.
|
||||
|
|
|
|||
|
|
@ -17,14 +17,373 @@ from contextlib import ExitStack, contextmanager
|
|||
from functools import cache
|
||||
from typing import Any, Literal, Self, TextIO
|
||||
|
||||
|
||||
# Arbitrary nesting is allowed, but all keys and terminal values are strings
|
||||
StringDict = dict[str, "str | StringDict"]
|
||||
|
||||
# Alias for readability — we don't use `pathlib` for a modest speedup
|
||||
Path = str
|
||||
|
||||
|
||||
def main():
|
||||
# Create copies of standard streams since the `sys.<name>` will be redirected during
|
||||
# hook execution
|
||||
stdout = sys.stdout
|
||||
stdin = sys.stdin
|
||||
|
||||
# TODO: Close `sys.stdin` and create a duplicate file for ourselves so hooks don't read from our stream
|
||||
|
||||
while True:
|
||||
try:
|
||||
start = time.perf_counter()
|
||||
|
||||
if not stdin.readable():
|
||||
raise UnreadableInput()
|
||||
|
||||
send_ready(stdout)
|
||||
|
||||
send_expect(stdout, "action")
|
||||
action = parse_action(stdin)
|
||||
if action == Action.shutdown:
|
||||
send_shutdown(stdout)
|
||||
break
|
||||
|
||||
run_once(stdin, stdout)
|
||||
end = time.perf_counter()
|
||||
send_debug(stdout, f"ran hook in {(end - start)*1000.0:.2f}ms")
|
||||
|
||||
except HookdError as exc:
|
||||
# These errors are "handled" and non-fatal
|
||||
try:
|
||||
send_error(stdout, exc)
|
||||
except Exception as exc:
|
||||
# Failures to report errors are a fatal error
|
||||
send_fatal(stdout, exc)
|
||||
raise exc
|
||||
except BaseException as exc:
|
||||
# All other exceptions result in a crash of the daemon
|
||||
send_fatal(stdout, exc)
|
||||
raise
|
||||
|
||||
|
||||
def run_once(stdin: TextIO, stdout: TextIO):
|
||||
start = time.perf_counter()
|
||||
|
||||
send_expect(stdout, "build_backend")
|
||||
build_backend_name = parse_build_backend(stdin)
|
||||
|
||||
send_expect(stdout, "hook_name")
|
||||
hook_name = parse_hook_name(stdin)
|
||||
if hook_name not in HookArguments:
|
||||
raise FatalError(f"No arguments defined for hook {hook_name!r}")
|
||||
|
||||
# Parse arguments for the given hook
|
||||
def parse(argument: str):
|
||||
send_expect(stdout, argument.name)
|
||||
return parse_hook_argument(argument, stdin)
|
||||
|
||||
args = tuple(parse(argument) for argument in HookArguments[hook_name])
|
||||
|
||||
send_debug(
|
||||
stdout,
|
||||
build_backend_name,
|
||||
hook_name,
|
||||
*(f"{name}={value}" for name, value in zip(HookArguments[hook_name], args)),
|
||||
)
|
||||
|
||||
end = time.perf_counter()
|
||||
send_debug(stdout, f"parsed hook inputs in {(end - start)*1000.0:.2f}ms")
|
||||
|
||||
# All hooks are run with working directory set to the root of the source tree
|
||||
# TODO(zanieb): Where do we get the path of the source tree?
|
||||
|
||||
with ExitStack() as hook_ctx:
|
||||
hook_stdout = hook_ctx.enter_context(redirect_sys_stream("stdout"))
|
||||
hook_stderr = hook_ctx.enter_context(redirect_sys_stream("stderr"))
|
||||
send_redirect(stdout, "stdout", str(hook_stdout))
|
||||
send_redirect(stdout, "stderr", str(hook_stderr))
|
||||
|
||||
try:
|
||||
build_backend = import_build_backend(build_backend_name)
|
||||
except Exception as exc:
|
||||
if not isinstance(exc, HookdError):
|
||||
# Wrap unhandled errors in a generic one
|
||||
raise BackendImportError(exc) from exc
|
||||
raise
|
||||
|
||||
try:
|
||||
hook = getattr(build_backend, hook_name)
|
||||
except AttributeError:
|
||||
raise UnsupportedHook(build_backend, hook_name)
|
||||
|
||||
try:
|
||||
result = hook(*args)
|
||||
except BaseException as exc:
|
||||
# Respect SIGTERM and SIGINT
|
||||
if isinstance(exc, (SystemExit, KeyboardInterrupt)):
|
||||
raise
|
||||
|
||||
raise HookRuntimeError(exc) from exc
|
||||
else:
|
||||
send_ok(stdout, result)
|
||||
|
||||
|
||||
@cache
|
||||
def import_build_backend(backend_name: str) -> object:
|
||||
"""
|
||||
See: https://peps.python.org/pep-0517/#source-trees
|
||||
"""
|
||||
parts = backend_name.split(":")
|
||||
if len(parts) == 1:
|
||||
module_name = parts[0]
|
||||
attribute = None
|
||||
elif len(parts) == 2:
|
||||
module_name = parts[0]
|
||||
attribute = parts[1]
|
||||
|
||||
# Check for malformed attribute
|
||||
if not attribute:
|
||||
raise MalformedBackendName(backend_name)
|
||||
else:
|
||||
raise MalformedBackendName(backend_name)
|
||||
|
||||
module = None
|
||||
backend = None
|
||||
|
||||
try:
|
||||
module = importlib.import_module(module_name)
|
||||
except ImportError:
|
||||
# If they could not have meant `<module>.<attribute>`, raise
|
||||
if "." not in module_name:
|
||||
raise MissingBackendModule(module_name)
|
||||
|
||||
if module is None:
|
||||
# Otherwise, we'll try to load it as an attribute of a module
|
||||
parent_name, child_name = module_name.rsplit(".", 1)
|
||||
|
||||
try:
|
||||
module = importlib.import_module(parent_name)
|
||||
except ImportError:
|
||||
raise MissingBackendModule(module_name)
|
||||
|
||||
try:
|
||||
backend = getattr(module, child_name)
|
||||
except AttributeError:
|
||||
raise MissingBackendAttribute(module_name, child_name)
|
||||
|
||||
if attribute is not None:
|
||||
try:
|
||||
backend = getattr(module, attribute)
|
||||
except AttributeError:
|
||||
raise MissingBackendAttribute(module_name, backend_name)
|
||||
|
||||
if backend is None:
|
||||
backend = module
|
||||
|
||||
return backend
|
||||
|
||||
|
||||
@contextmanager
|
||||
def redirect_sys_stream(name: Literal["stdout", "stderr"]):
|
||||
"""
|
||||
Redirect a system stream to a temporary file.
|
||||
|
||||
Deletion of the temporary file is deferred to the caller.
|
||||
|
||||
WARNING: This function is not safe to concurrent usage.
|
||||
"""
|
||||
stream: TextIO = getattr(sys, name)
|
||||
|
||||
# We use an optimized version of `NamedTemporaryFile`
|
||||
fd, path = tmpfile()
|
||||
redirected_stream = io.open(fd, "wt")
|
||||
setattr(sys, name, redirected_stream)
|
||||
yield path
|
||||
|
||||
# Restore to the previous stream
|
||||
setattr(sys, name, stream)
|
||||
|
||||
|
||||
######################
|
||||
###### PARSERS #######
|
||||
######################
|
||||
|
||||
|
||||
class Hook(enum.StrEnum):
|
||||
build_wheel = enum.auto()
|
||||
build_sdist = enum.auto()
|
||||
prepare_metadata_for_build_wheel = enum.auto()
|
||||
get_requires_for_build_wheel = enum.auto()
|
||||
get_requires_for_build_sdist = enum.auto()
|
||||
|
||||
@classmethod
|
||||
def from_str(cls: type[Self], name: str) -> Self:
|
||||
try:
|
||||
return Hook(name)
|
||||
except ValueError:
|
||||
raise InvalidHookName(name) from None
|
||||
|
||||
|
||||
class HookArgument(enum.StrEnum):
|
||||
wheel_directory = enum.auto()
|
||||
config_settings = enum.auto()
|
||||
metadata_directory = enum.auto()
|
||||
sdist_directory = enum.auto()
|
||||
|
||||
|
||||
def parse_hook_argument(hook_arg: HookArgument, buffer: TextIO) -> Any:
|
||||
if hook_arg == HookArgument.wheel_directory:
|
||||
return parse_path(buffer)
|
||||
if hook_arg == HookArgument.metadata_directory:
|
||||
return parse_optional_path(buffer)
|
||||
if hook_arg == HookArgument.sdist_directory:
|
||||
return parse_path(buffer)
|
||||
if hook_arg == HookArgument.config_settings:
|
||||
return parse_config_settings(buffer)
|
||||
|
||||
raise FatalError(f"No parser for hook argument kind {hook_arg.name!r}")
|
||||
|
||||
|
||||
HookArguments = {
|
||||
Hook.build_sdist: (
|
||||
HookArgument.sdist_directory,
|
||||
HookArgument.config_settings,
|
||||
),
|
||||
Hook.build_wheel: (
|
||||
HookArgument.wheel_directory,
|
||||
HookArgument.config_settings,
|
||||
HookArgument.metadata_directory,
|
||||
),
|
||||
Hook.prepare_metadata_for_build_wheel: (
|
||||
HookArgument.metadata_directory,
|
||||
HookArgument.config_settings,
|
||||
),
|
||||
Hook.get_requires_for_build_sdist: (HookArgument.config_settings,),
|
||||
Hook.get_requires_for_build_wheel: (HookArgument.config_settings,),
|
||||
}
|
||||
|
||||
|
||||
class Action(enum.StrEnum):
|
||||
run = enum.auto()
|
||||
shutdown = enum.auto()
|
||||
|
||||
@classmethod
|
||||
def from_str(cls: type[Self], action: str) -> Self:
|
||||
try:
|
||||
return Action(action)
|
||||
except ValueError:
|
||||
raise InvalidAction(action) from None
|
||||
|
||||
|
||||
def parse_action(buffer: TextIO) -> Action:
|
||||
action = buffer.readline().rstrip("\n")
|
||||
return Action.from_str(action)
|
||||
|
||||
|
||||
def parse_hook_name(buffer: TextIO) -> Hook:
|
||||
name = buffer.readline().rstrip("\n")
|
||||
return Hook.from_str(name)
|
||||
|
||||
|
||||
def parse_path(buffer: TextIO) -> Path:
|
||||
path = os.path.abspath(buffer.readline().rstrip("\n"))
|
||||
# TODO(zanieb): Consider validating the path here
|
||||
return path
|
||||
|
||||
|
||||
def parse_optional_path(buffer: TextIO) -> Path | None:
|
||||
data = buffer.readline().rstrip("\n")
|
||||
if not data:
|
||||
return None
|
||||
# TODO(zanieb): Consider validating the path here
|
||||
return os.path.abspath(data)
|
||||
|
||||
|
||||
def parse_config_settings(buffer: TextIO) -> dict | None:
|
||||
"""
|
||||
See https://peps.python.org/pep-0517/#config-settings
|
||||
"""
|
||||
data = buffer.readline().rstrip("\n")
|
||||
if not data:
|
||||
return None
|
||||
|
||||
# We defer the import of `json` until someone actually passes us a `config_settings`
|
||||
# object since it's not necessarily common
|
||||
import json
|
||||
|
||||
try:
|
||||
# TODO(zanieb): Consider using something faster than JSON here since we _should_
|
||||
# be restricted to strings
|
||||
return json.loads(data)
|
||||
except json.decoder.JSONDecodeError as exc:
|
||||
raise MalformedHookArgument(data, HookArgument.config_settings) from exc
|
||||
|
||||
|
||||
def parse_build_backend(buffer: TextIO) -> str:
|
||||
# TODO: Add support for `build-path`
|
||||
name = buffer.readline().rstrip("\n")
|
||||
|
||||
if not name:
|
||||
# Default to the legacy build name
|
||||
name = "setuptools.build_meta:__legacy__"
|
||||
|
||||
return name
|
||||
|
||||
|
||||
######################
|
||||
####### OUTPUT #######
|
||||
######################
|
||||
|
||||
|
||||
def send_ready(file: TextIO):
|
||||
write_safe(file, "READY")
|
||||
|
||||
|
||||
def send_expect(file: TextIO, name: str):
|
||||
write_safe(file, "EXPECT", name)
|
||||
|
||||
|
||||
def send_redirect(file: TextIO, name: Literal["stdout", "stderr"], path: str):
|
||||
write_safe(file, name.upper(), path)
|
||||
|
||||
|
||||
def send_ok(file: TextIO, result: str):
|
||||
write_safe(file, "OK", result)
|
||||
|
||||
|
||||
def send_error(file: TextIO, exc: HookdError):
|
||||
write_safe(file, "ERROR", type(exc).__name__, str(exc))
|
||||
send_traceback(file, exc)
|
||||
|
||||
|
||||
def send_traceback(file: TextIO, exc: BaseException):
|
||||
# Defer import of traceback until an exception occurs
|
||||
import traceback
|
||||
|
||||
tb = traceback.format_exception(exc)
|
||||
write_safe(file, "TRACEBACK", "\n".join(tb))
|
||||
|
||||
|
||||
def send_fatal(file: TextIO, exc: BaseException):
|
||||
write_safe(file, "FATAL", type(exc).__name__, str(exc))
|
||||
send_traceback(file, exc)
|
||||
|
||||
|
||||
def send_debug(file: TextIO, *args):
|
||||
write_safe(file, "DEBUG", *args)
|
||||
|
||||
|
||||
def send_shutdown(file: TextIO):
|
||||
write_safe(file, "SHUTDOWN")
|
||||
|
||||
|
||||
def write_safe(file: TextIO, *args: str):
|
||||
# Ensures thre are no newlines in the output
|
||||
args = [str(arg).replace("\n", "\\n") for arg in args]
|
||||
print(*args, file=file)
|
||||
|
||||
|
||||
#######################
|
||||
####### ERRORS ########
|
||||
#######################
|
||||
|
||||
|
||||
class FatalError(Exception):
|
||||
"""An unrecoverable error in the daemon"""
|
||||
|
||||
|
|
@ -169,311 +528,9 @@ class HookRuntimeError(HookdError):
|
|||
return str(self.exc)
|
||||
|
||||
|
||||
class Hook(enum.StrEnum):
|
||||
build_wheel = enum.auto()
|
||||
build_sdist = enum.auto()
|
||||
prepare_metadata_for_build_wheel = enum.auto()
|
||||
get_requires_for_build_wheel = enum.auto()
|
||||
get_requires_for_build_sdist = enum.auto()
|
||||
|
||||
@classmethod
|
||||
def from_str(cls: type[Self], name: str) -> Self:
|
||||
try:
|
||||
return Hook(name)
|
||||
except ValueError:
|
||||
raise InvalidHookName(name) from None
|
||||
|
||||
|
||||
def parse_build_backend(buffer: TextIO) -> str:
|
||||
# TODO: Add support for `build-path`
|
||||
name = buffer.readline().rstrip("\n")
|
||||
|
||||
if not name:
|
||||
# Default to the legacy build name
|
||||
name = "setuptools.build_meta:__legacy__"
|
||||
|
||||
return name
|
||||
|
||||
|
||||
@cache
|
||||
def import_build_backend(backend_name: str) -> object:
|
||||
"""
|
||||
See: https://peps.python.org/pep-0517/#source-trees
|
||||
"""
|
||||
parts = backend_name.split(":")
|
||||
if len(parts) == 1:
|
||||
module_name = parts[0]
|
||||
attribute = None
|
||||
elif len(parts) == 2:
|
||||
module_name = parts[0]
|
||||
attribute = parts[1]
|
||||
|
||||
# Check for malformed attribute
|
||||
if not attribute:
|
||||
raise MalformedBackendName(backend_name)
|
||||
else:
|
||||
raise MalformedBackendName(backend_name)
|
||||
|
||||
module = None
|
||||
backend = None
|
||||
|
||||
try:
|
||||
module = importlib.import_module(module_name)
|
||||
except ImportError:
|
||||
# If they could not have meant `<module>.<attribute>`, raise
|
||||
if "." not in module_name:
|
||||
raise MissingBackendModule(module_name)
|
||||
|
||||
if module is None:
|
||||
# Otherwise, we'll try to load it as an attribute of a module
|
||||
parent_name, child_name = module_name.rsplit(".", 1)
|
||||
|
||||
try:
|
||||
module = importlib.import_module(parent_name)
|
||||
except ImportError:
|
||||
raise MissingBackendModule(module_name)
|
||||
|
||||
try:
|
||||
backend = getattr(module, child_name)
|
||||
except AttributeError:
|
||||
raise MissingBackendAttribute(module_name, child_name)
|
||||
|
||||
if attribute is not None:
|
||||
try:
|
||||
backend = getattr(module, attribute)
|
||||
except AttributeError:
|
||||
raise MissingBackendAttribute(module_name, backend_name)
|
||||
|
||||
if backend is None:
|
||||
backend = module
|
||||
|
||||
return backend
|
||||
|
||||
|
||||
class Action(enum.StrEnum):
|
||||
run = enum.auto()
|
||||
shutdown = enum.auto()
|
||||
|
||||
@classmethod
|
||||
def from_str(cls: type[Self], action: str) -> Self:
|
||||
try:
|
||||
return Action(action)
|
||||
except ValueError:
|
||||
raise InvalidAction(action) from None
|
||||
|
||||
|
||||
def parse_action(buffer: TextIO) -> Action:
|
||||
action = buffer.readline().rstrip("\n")
|
||||
return Action.from_str(action)
|
||||
|
||||
|
||||
def parse_hook_name(buffer: TextIO) -> Hook:
|
||||
name = buffer.readline().rstrip("\n")
|
||||
return Hook.from_str(name)
|
||||
|
||||
|
||||
def parse_path(buffer: TextIO) -> Path:
|
||||
path = os.path.abspath(buffer.readline().rstrip("\n"))
|
||||
# TODO(zanieb): Consider validating the path here
|
||||
return path
|
||||
|
||||
|
||||
def parse_optional_path(buffer: TextIO) -> Path | None:
|
||||
data = buffer.readline().rstrip("\n")
|
||||
if not data:
|
||||
return None
|
||||
# TODO(zanieb): Consider validating the path here
|
||||
return os.path.abspath(data)
|
||||
|
||||
|
||||
def parse_config_settings(buffer: TextIO) -> StringDict | None:
|
||||
"""
|
||||
See https://peps.python.org/pep-0517/#config-settings
|
||||
"""
|
||||
data = buffer.readline().rstrip("\n")
|
||||
if not data:
|
||||
return None
|
||||
|
||||
# We defer the import of `json` until someone actually passes us a `config_settings`
|
||||
# object since it's not necessarily common
|
||||
import json
|
||||
|
||||
try:
|
||||
# TODO(zanieb): Consider using something faster than JSON here since we _should_
|
||||
# be restricted to strings
|
||||
return json.loads(data)
|
||||
except json.decoder.JSONDecodeError as exc:
|
||||
raise MalformedHookArgument(data, HookArgument.config_settings) from exc
|
||||
|
||||
|
||||
@contextmanager
|
||||
def redirect_sys_stream(name: Literal["stdout", "stderr"]):
|
||||
"""
|
||||
Redirect a system stream to a temporary file.
|
||||
|
||||
Deletion of the temporary file is deferred to the caller.
|
||||
|
||||
WARNING: This function is not safe to concurrent usage.
|
||||
"""
|
||||
stream: TextIO = getattr(sys, name)
|
||||
|
||||
# We use an optimized version of `NamedTemporaryFile`
|
||||
fd, name = tmpfile()
|
||||
setattr(sys, name, io.open(fd, "rt"))
|
||||
yield name
|
||||
|
||||
# Restore to the previous stream
|
||||
setattr(sys, name, stream)
|
||||
|
||||
|
||||
class HookArgument(enum.StrEnum):
|
||||
wheel_directory = enum.auto()
|
||||
config_settings = enum.auto()
|
||||
metadata_directory = enum.auto()
|
||||
sdist_directory = enum.auto()
|
||||
|
||||
|
||||
def parse_hook_argument(hook_arg: HookArgument, buffer: TextIO) -> Any:
|
||||
if hook_arg == HookArgument.wheel_directory:
|
||||
return parse_path(buffer)
|
||||
if hook_arg == HookArgument.metadata_directory:
|
||||
return parse_optional_path(buffer)
|
||||
if hook_arg == HookArgument.sdist_directory:
|
||||
return parse_path(buffer)
|
||||
if hook_arg == HookArgument.config_settings:
|
||||
return parse_config_settings(buffer)
|
||||
|
||||
raise FatalError(f"No parser for hook argument kind {hook_arg.name!r}")
|
||||
|
||||
|
||||
HookArguments = {
|
||||
Hook.build_sdist: (
|
||||
HookArgument.sdist_directory,
|
||||
HookArgument.config_settings,
|
||||
),
|
||||
Hook.build_wheel: (
|
||||
HookArgument.wheel_directory,
|
||||
HookArgument.config_settings,
|
||||
HookArgument.metadata_directory,
|
||||
),
|
||||
Hook.prepare_metadata_for_build_wheel: (
|
||||
HookArgument.metadata_directory,
|
||||
HookArgument.config_settings,
|
||||
),
|
||||
Hook.get_requires_for_build_sdist: (HookArgument.config_settings,),
|
||||
Hook.get_requires_for_build_wheel: (HookArgument.config_settings,),
|
||||
}
|
||||
|
||||
|
||||
def write_safe(file: TextIO, *args: str):
|
||||
args = [str(arg).replace("\n", "\\n") for arg in args]
|
||||
print(*args, file=file)
|
||||
|
||||
|
||||
def send_expect(file: TextIO, name: str):
|
||||
write_safe(file, "EXPECT", name)
|
||||
|
||||
|
||||
def send_ready(file: TextIO):
|
||||
write_safe(file, "READY")
|
||||
|
||||
|
||||
def send_shutdown(file: TextIO):
|
||||
write_safe(file, "SHUTDOWN")
|
||||
|
||||
|
||||
def send_error(file: TextIO, exc: HookdError):
|
||||
write_safe(file, "ERROR", type(exc).__name__, str(exc))
|
||||
send_traceback(file, exc)
|
||||
|
||||
|
||||
def send_traceback(file: TextIO, exc: BaseException):
|
||||
# Defer import of traceback until an exception occurs
|
||||
import traceback
|
||||
|
||||
tb = traceback.format_exception(exc)
|
||||
write_safe(file, "TRACEBACK", "\n".join(tb))
|
||||
|
||||
|
||||
def send_ok(file: TextIO, result: str):
|
||||
write_safe(file, "OK", result)
|
||||
|
||||
|
||||
def send_fatal(file: TextIO, exc: BaseException):
|
||||
write_safe(file, "FATAL", type(exc).__name__, str(exc))
|
||||
send_traceback(file, exc)
|
||||
|
||||
|
||||
def send_debug(file: TextIO, *args):
|
||||
write_safe(file, "DEBUG", *args)
|
||||
|
||||
|
||||
def send_redirect(file: TextIO, name: Literal["stdout", "stderr"], path: str):
|
||||
write_safe(file, name.upper(), path)
|
||||
|
||||
|
||||
def run_once(stdin: TextIO, stdout: TextIO):
|
||||
start = time.perf_counter()
|
||||
|
||||
send_expect(stdout, "build-backend")
|
||||
build_backend_name = parse_build_backend(stdin)
|
||||
|
||||
send_expect(stdout, "hook-name")
|
||||
hook_name = parse_hook_name(stdin)
|
||||
if hook_name not in HookArguments:
|
||||
raise FatalError(f"No arguments defined for hook {hook_name!r}")
|
||||
|
||||
# Parse arguments for the given hook
|
||||
def parse(argument: str):
|
||||
send_expect(stdout, argument.name)
|
||||
return parse_hook_argument(argument, stdin)
|
||||
|
||||
args = tuple(parse(argument) for argument in HookArguments[hook_name])
|
||||
|
||||
send_debug(
|
||||
stdout,
|
||||
build_backend_name,
|
||||
hook_name,
|
||||
*(f"{name}={value}" for name, value in zip(HookArguments[hook_name], args)),
|
||||
)
|
||||
|
||||
end = time.perf_counter()
|
||||
send_debug(stdout, f"parsed hook inputs in {(end - start)*1000.0:.2f}ms")
|
||||
|
||||
# All hooks are run with working directory set to the root of the source tree
|
||||
# TODO(zanieb): Where do we get the path of the source tree?
|
||||
|
||||
with ExitStack() as hook_ctx:
|
||||
hook_stdout = hook_ctx.enter_context(redirect_sys_stream("stdout"))
|
||||
hook_stderr = hook_ctx.enter_context(redirect_sys_stream("stderr"))
|
||||
send_redirect(stdout, "stdout", str(hook_stdout))
|
||||
send_redirect(stdout, "stderr", str(hook_stderr))
|
||||
|
||||
try:
|
||||
build_backend = import_build_backend(build_backend_name)
|
||||
except Exception as exc:
|
||||
if not isinstance(exc, HookdError):
|
||||
# Wrap unhandled errors in a generic one
|
||||
raise BackendImportError(exc) from exc
|
||||
raise
|
||||
|
||||
try:
|
||||
hook = getattr(build_backend, hook_name)
|
||||
except AttributeError:
|
||||
raise UnsupportedHook(build_backend, hook_name)
|
||||
|
||||
try:
|
||||
result = hook(*args)
|
||||
except BaseException as exc:
|
||||
# Respect SIGTERM and SIGINT
|
||||
if isinstance(exc, (SystemExit, KeyboardInterrupt)):
|
||||
raise
|
||||
|
||||
raise HookRuntimeError(exc) from exc
|
||||
else:
|
||||
send_ok(stdout, result)
|
||||
|
||||
|
||||
##########################
|
||||
#### TEMPORARY FILES #####
|
||||
##########################
|
||||
"""
|
||||
Optimized version of temporary file creation based on CPython's `NamedTemporaryFile`.
|
||||
|
||||
|
|
@ -582,45 +639,9 @@ def tmpfile():
|
|||
raise FileExistsError(errno.EEXIST, "No usable temporary file name found")
|
||||
|
||||
|
||||
def main():
|
||||
# Create copies of standard streams since the `sys.<name>` will be redirected during
|
||||
# hook execution
|
||||
stdout = sys.stdout
|
||||
stdin = sys.stdin
|
||||
|
||||
# TODO: Close `sys.stdin` and create a duplicate file for ourselves so hooks don't read from our stream
|
||||
|
||||
while True:
|
||||
try:
|
||||
start = time.perf_counter()
|
||||
|
||||
if not stdin.readable():
|
||||
raise UnreadableInput()
|
||||
|
||||
send_ready(stdout)
|
||||
|
||||
send_expect(stdout, "action")
|
||||
action = parse_action(stdin)
|
||||
if action == Action.shutdown:
|
||||
send_shutdown(stdout)
|
||||
break
|
||||
|
||||
run_once(stdin, stdout)
|
||||
end = time.perf_counter()
|
||||
send_debug(stdout, f"ran hook in {(end - start)*1000.0:.2f}ms")
|
||||
|
||||
except HookdError as exc:
|
||||
# These errors are "handled" and non-fatal
|
||||
try:
|
||||
send_error(stdout, exc)
|
||||
except Exception as exc:
|
||||
# Failures to report errors are a fatal error
|
||||
send_fatal(stdout, exc)
|
||||
raise exc
|
||||
except BaseException as exc:
|
||||
# All other exceptions result in a crash of the daemon
|
||||
send_fatal(stdout, exc)
|
||||
raise
|
||||
#########################
|
||||
#### CLI ENTRYPOINT #####
|
||||
#########################
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
|
|
|
|||
|
|
@ -24,8 +24,9 @@ SHUTDOWN = (
|
|||
)
|
||||
STDOUT = ("STDOUT .*", "STDOUT [PATH]")
|
||||
STDERR = ("STDERR .*", "STDERR [PATH]")
|
||||
CWD = (re.escape(os.getcwd()), "[CWD]")
|
||||
TRACEBACK = ("TRACEBACK .*", "TRACEBACK [TRACEBACK]")
|
||||
DEFAULT_FILTERS = [TIME, STDOUT, STDERR, TRACEBACK]
|
||||
DEFAULT_FILTERS = [TIME, STDOUT, STDERR, TRACEBACK, CWD]
|
||||
|
||||
|
||||
def new(extra_backend_paths: list[str] | None = None) -> subprocess.Popen:
|
||||
|
|
@ -88,12 +89,12 @@ def test_run_invalid_backend():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG backend_does_not_exist build_wheel wheel_directory=. config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG backend_does_not_exist build_wheel wheel_directory=[CWD] config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -118,8 +119,8 @@ def test_run_invalid_hook():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
ERROR InvalidHookName The name 'hook_does_not_exist' is not valid hook. Expected one of: 'build_wheel', 'build_sdist', 'prepare_metadata_for_build_wheel', 'get_requires_for_build_wheel', 'get_requires_for_build_sdist'
|
||||
TRACEBACK [TRACEBACK]
|
||||
READY
|
||||
|
|
@ -144,12 +145,12 @@ def test_run_build_wheel_ok():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG ok_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG ok_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -177,11 +178,11 @@ def test_run_build_sdist_ok():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT sdist-directory
|
||||
EXPECT config-settings
|
||||
DEBUG ok_backend build_sdist sdist_directory=foo config_settings=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT sdist_directory
|
||||
EXPECT config_settings
|
||||
DEBUG ok_backend build_sdist sdist_directory=[CWD]/foo config_settings=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -209,9 +210,9 @@ def test_run_get_requires_for_build_wheel_ok():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT config-settings
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT config_settings
|
||||
DEBUG ok_backend get_requires_for_build_wheel config_settings=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
|
|
@ -240,11 +241,11 @@ def test_run_prepare_metadata_for_build_wheel_ok():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT metadata-directory
|
||||
EXPECT config-settings
|
||||
DEBUG ok_backend prepare_metadata_for_build_wheel metadata_directory=foo config_settings=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT metadata_directory
|
||||
EXPECT config_settings
|
||||
DEBUG ok_backend prepare_metadata_for_build_wheel metadata_directory=[CWD]/foo config_settings=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -262,11 +263,11 @@ def test_run_prepare_metadata_for_build_wheel_ok():
|
|||
|
||||
def test_run_invalid_config_settings():
|
||||
"""
|
||||
Sends invalid JSON for the `config_settings` argument which should result in a non-fatal error.
|
||||
Sends invalid JSON for the `config_settings` argument which should result in a non_fatal error.
|
||||
"""
|
||||
daemon = new()
|
||||
send(
|
||||
daemon, ["run", "ok_backend", "get_requires_for_build_wheel", "not-valid-json"]
|
||||
daemon, ["run", "ok_backend", "get_requires_for_build_wheel", "not_valid_json"]
|
||||
)
|
||||
stdout, stderr = daemon.communicate(input="shutdown\n")
|
||||
assert_snapshot(
|
||||
|
|
@ -274,10 +275,10 @@ def test_run_invalid_config_settings():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT config-settings
|
||||
ERROR MalformedHookArgument Malformed content for argument 'config_settings': 'not-valid-json'
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT config_settings
|
||||
ERROR MalformedHookArgument Malformed content for argument 'config_settings': 'not_valid_json'
|
||||
TRACEBACK [TRACEBACK]
|
||||
READY
|
||||
EXPECT action
|
||||
|
|
@ -302,12 +303,12 @@ def test_run_build_wheel_multiple_times():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG ok_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG ok_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -337,12 +338,12 @@ def test_run_build_wheel_error():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG err_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG err_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -371,12 +372,12 @@ def test_run_error_not_fatal():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG err_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG err_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -384,12 +385,12 @@ def test_run_error_not_fatal():
|
|||
TRACEBACK [TRACEBACK]
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG err_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG err_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -427,12 +428,12 @@ def test_run_base_exception_error_not_fatal(tmp_path: Path):
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG base_exc_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG base_exc_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -440,12 +441,12 @@ def test_run_base_exception_error_not_fatal(tmp_path: Path):
|
|||
TRACEBACK [TRACEBACK]
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG base_exc_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG base_exc_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -474,12 +475,12 @@ def test_run_error_in_backend_module(tmp_path: Path):
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG import_err_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG import_err_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -508,12 +509,12 @@ def test_run_unsupported_hook_empty(tmp_path: Path):
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG empty_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG empty_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -553,11 +554,11 @@ def test_run_unsupported_hook_partial(tmp_path: Path):
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT sdist-directory
|
||||
EXPECT config-settings
|
||||
DEBUG partial_backend build_sdist sdist_directory=foo config_settings=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT sdist_directory
|
||||
EXPECT config_settings
|
||||
DEBUG partial_backend build_sdist sdist_directory=[CWD]/foo config_settings=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -590,12 +591,12 @@ def test_run_cls_backend(separator):
|
|||
f"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG cls_backend{separator}Class build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG cls_backend{separator}Class build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -624,12 +625,12 @@ def test_run_obj_backend(separator):
|
|||
f"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG obj_backend{separator}obj build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG obj_backend{separator}obj build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -657,12 +658,12 @@ def test_run_submodule_backend():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG submodule_backend.submodule build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG submodule_backend.submodule build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -690,12 +691,12 @@ def test_run_submodule_backend_invalid_import():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG submodule_backend:submodule build_wheel wheel_directory=. config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG submodule_backend:submodule build_wheel wheel_directory=[CWD] config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -723,12 +724,12 @@ def test_run_stdout_capture():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG stdout_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG stdout_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -776,12 +777,12 @@ def test_run_stderr_capture():
|
|||
"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG stderr_backend build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG stderr_backend build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
@ -877,12 +878,12 @@ def test_run_real_backend_build_wheel_error(backend: str):
|
|||
f"""
|
||||
READY
|
||||
EXPECT action
|
||||
EXPECT build-backend
|
||||
EXPECT hook-name
|
||||
EXPECT wheel-directory
|
||||
EXPECT config-settings
|
||||
EXPECT metadata-directory
|
||||
DEBUG {backend} build_wheel wheel_directory=foo config_settings=None metadata_directory=None
|
||||
EXPECT build_backend
|
||||
EXPECT hook_name
|
||||
EXPECT wheel_directory
|
||||
EXPECT config_settings
|
||||
EXPECT metadata_directory
|
||||
DEBUG {backend} build_wheel wheel_directory=[CWD]/foo config_settings=None metadata_directory=None
|
||||
DEBUG parsed hook inputs in [TIME]
|
||||
STDOUT [PATH]
|
||||
STDERR [PATH]
|
||||
|
|
|
|||
Loading…
Reference in New Issue