python-click/src/click/decorators.py

498 lines
16 KiB
Python
Raw Normal View History

2014-10-16 20:40:34 +02:00
import inspect
2021-10-10 03:31:57 +02:00
import types
import typing as t
2014-10-16 20:40:34 +02:00
from functools import update_wrapper
2021-10-10 03:31:57 +02:00
from gettext import gettext as _
2014-10-16 20:40:34 +02:00
2020-07-21 08:23:42 +02:00
from .core import Argument
from .core import Command
2021-10-10 03:31:57 +02:00
from .core import Context
2020-07-21 08:23:42 +02:00
from .core import Group
from .core import Option
2021-10-10 03:31:57 +02:00
from .core import Parameter
2015-08-23 03:10:31 +02:00
from .globals import get_current_context
2020-07-21 08:23:42 +02:00
from .utils import echo
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
F = t.TypeVar("F", bound=t.Callable[..., t.Any])
2022-11-30 09:52:01 +01:00
FC = t.TypeVar("FC", bound=t.Union[t.Callable[..., t.Any], Command])
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
def pass_context(f: F) -> F:
2014-10-16 20:40:34 +02:00
"""Marks a callback as wanting to receive the current context
object as first argument.
"""
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
def new_func(*args, **kwargs): # type: ignore
2015-08-23 03:10:31 +02:00
return f(get_current_context(), *args, **kwargs)
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
return update_wrapper(t.cast(F, new_func), f)
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
def pass_obj(f: F) -> F:
2014-10-16 20:40:34 +02:00
"""Similar to :func:`pass_context`, but only pass the object on the
context onwards (:attr:`Context.obj`). This is useful if that object
represents the state of a nested system.
"""
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
def new_func(*args, **kwargs): # type: ignore
2015-08-23 03:10:31 +02:00
return f(get_current_context().obj, *args, **kwargs)
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
return update_wrapper(t.cast(F, new_func), f)
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
def make_pass_decorator(
object_type: t.Type, ensure: bool = False
) -> "t.Callable[[F], F]":
2014-10-16 20:40:34 +02:00
"""Given an object type this creates a decorator that will work
similar to :func:`pass_obj` but instead of passing the object of the
current context, it will find the innermost context of type
:func:`object_type`.
This generates a decorator that works roughly like this::
from functools import update_wrapper
def decorator(f):
@pass_context
def new_func(ctx, *args, **kwargs):
obj = ctx.find_object(object_type)
return ctx.invoke(f, obj, *args, **kwargs)
return update_wrapper(new_func, f)
return decorator
:param object_type: the type of the object to pass.
:param ensure: if set to `True`, a new object will be created and
remembered on the context if it's not there yet.
"""
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
def decorator(f: F) -> F:
def new_func(*args, **kwargs): # type: ignore
2015-08-23 03:10:31 +02:00
ctx = get_current_context()
2021-10-10 03:31:57 +02:00
2014-10-16 20:40:34 +02:00
if ensure:
obj = ctx.ensure_object(object_type)
else:
obj = ctx.find_object(object_type)
2021-10-10 03:31:57 +02:00
2014-10-16 20:40:34 +02:00
if obj is None:
2020-07-21 08:23:42 +02:00
raise RuntimeError(
"Managed to invoke callback without a context"
2021-10-10 03:31:57 +02:00
f" object of type {object_type.__name__!r}"
" existing."
2020-07-21 08:23:42 +02:00
)
2021-10-10 03:31:57 +02:00
2018-09-06 20:55:10 +02:00
return ctx.invoke(f, obj, *args, **kwargs)
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
return update_wrapper(t.cast(F, new_func), f)
return decorator
def pass_meta_key(
key: str, *, doc_description: t.Optional[str] = None
) -> "t.Callable[[F], F]":
"""Create a decorator that passes a key from
:attr:`click.Context.meta` as the first argument to the decorated
function.
:param key: Key in ``Context.meta`` to pass.
:param doc_description: Description of the object being passed,
inserted into the decorator's docstring. Defaults to "the 'key'
key from Context.meta".
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
.. versionadded:: 8.0
"""
def decorator(f: F) -> F:
def new_func(*args, **kwargs): # type: ignore
ctx = get_current_context()
obj = ctx.meta[key]
return ctx.invoke(f, obj, *args, **kwargs)
return update_wrapper(t.cast(F, new_func), f)
if doc_description is None:
doc_description = f"the {key!r} key from :attr:`click.Context.meta`"
decorator.__doc__ = (
f"Decorator that passes {doc_description} as the first argument"
" to the decorated function."
)
2014-10-16 20:40:34 +02:00
return decorator
2022-11-30 09:52:01 +01:00
CmdType = t.TypeVar("CmdType", bound=Command)
2021-10-10 03:31:57 +02:00
2022-11-30 09:52:01 +01:00
@t.overload
def command(
__func: t.Callable[..., t.Any],
) -> Command:
...
2021-10-10 03:31:57 +02:00
2022-11-30 09:52:01 +01:00
@t.overload
def command(
name: t.Optional[str] = None,
**attrs: t.Any,
) -> t.Callable[..., Command]:
...
2014-10-16 20:40:34 +02:00
2022-11-30 09:52:01 +01:00
@t.overload
2021-10-10 03:31:57 +02:00
def command(
name: t.Optional[str] = None,
2022-11-30 09:52:01 +01:00
cls: t.Type[CmdType] = ...,
**attrs: t.Any,
) -> t.Callable[..., CmdType]:
...
def command(
name: t.Union[str, t.Callable[..., t.Any], None] = None,
2021-10-10 03:31:57 +02:00
cls: t.Optional[t.Type[Command]] = None,
**attrs: t.Any,
2022-11-30 09:52:01 +01:00
) -> t.Union[Command, t.Callable[..., Command]]:
2018-09-06 20:55:10 +02:00
r"""Creates a new :class:`Command` and uses the decorated function as
2014-10-16 20:40:34 +02:00
callback. This will also automatically attach all decorated
:func:`option`\s and :func:`argument`\s as parameters to the command.
2020-07-21 08:23:42 +02:00
The name of the command defaults to the name of the function with
underscores replaced by dashes. If you want to change that, you can
pass the intended name as the first argument.
2014-10-16 20:40:34 +02:00
All keyword arguments are forwarded to the underlying command class.
2022-11-30 09:52:01 +01:00
For the ``params`` argument, any decorated params are appended to
the end of the list.
2014-10-16 20:40:34 +02:00
Once decorated the function turns into a :class:`Command` instance
that can be invoked as a command line utility or be attached to a
command :class:`Group`.
:param name: the name of the command. This defaults to the function
2018-09-06 20:55:10 +02:00
name with underscores replaced by dashes.
2014-10-16 20:40:34 +02:00
:param cls: the command class to instantiate. This defaults to
:class:`Command`.
2022-11-30 09:52:01 +01:00
.. versionchanged:: 8.1
This decorator can be applied without parentheses.
.. versionchanged:: 8.1
The ``params`` argument can be used. Decorated params are
appended to the end of the list.
2014-10-16 20:40:34 +02:00
"""
2022-11-30 09:52:01 +01:00
func: t.Optional[t.Callable[..., t.Any]] = None
if callable(name):
func = name
name = None
assert cls is None, "Use 'command(cls=cls)(callable)' to specify a class."
assert not attrs, "Use 'command(**kwargs)(callable)' to provide arguments."
2014-10-16 20:40:34 +02:00
if cls is None:
cls = Command
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
def decorator(f: t.Callable[..., t.Any]) -> Command:
2022-11-30 09:52:01 +01:00
if isinstance(f, Command):
raise TypeError("Attempted to convert a callback into a command twice.")
attr_params = attrs.pop("params", None)
params = attr_params if attr_params is not None else []
try:
decorator_params = f.__click_params__ # type: ignore
except AttributeError:
pass
else:
del f.__click_params__ # type: ignore
params.extend(reversed(decorator_params))
if attrs.get("help") is None:
attrs["help"] = f.__doc__
cmd = cls( # type: ignore[misc]
name=name or f.__name__.lower().replace("_", "-"), # type: ignore[arg-type]
callback=f,
params=params,
**attrs,
)
2015-08-23 03:10:31 +02:00
cmd.__doc__ = f.__doc__
return cmd
2020-07-21 08:23:42 +02:00
2022-11-30 09:52:01 +01:00
if func is not None:
return decorator(func)
2014-10-16 20:40:34 +02:00
return decorator
2022-11-30 09:52:01 +01:00
@t.overload
def group(
__func: t.Callable[..., t.Any],
) -> Group:
...
@t.overload
def group(
name: t.Optional[str] = None,
**attrs: t.Any,
) -> t.Callable[[F], Group]:
...
def group(
name: t.Union[str, t.Callable[..., t.Any], None] = None, **attrs: t.Any
) -> t.Union[Group, t.Callable[[F], Group]]:
2014-10-16 20:40:34 +02:00
"""Creates a new :class:`Group` with a function as callback. This
works otherwise the same as :func:`command` just that the `cls`
parameter is set to :class:`Group`.
2022-11-30 09:52:01 +01:00
.. versionchanged:: 8.1
This decorator can be applied without parentheses.
2014-10-16 20:40:34 +02:00
"""
2022-11-30 09:52:01 +01:00
if attrs.get("cls") is None:
attrs["cls"] = Group
if callable(name):
grp: t.Callable[[F], Group] = t.cast(Group, command(**attrs))
return grp(name)
2021-10-10 03:31:57 +02:00
return t.cast(Group, command(name, **attrs))
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
def _param_memo(f: FC, param: Parameter) -> None:
2014-10-16 20:40:34 +02:00
if isinstance(f, Command):
f.params.append(param)
else:
2020-07-21 08:23:42 +02:00
if not hasattr(f, "__click_params__"):
2021-10-10 03:31:57 +02:00
f.__click_params__ = [] # type: ignore
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
f.__click_params__.append(param) # type: ignore
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
def argument(*param_decls: str, **attrs: t.Any) -> t.Callable[[FC], FC]:
2015-07-16 14:26:14 +02:00
"""Attaches an argument to the command. All positional arguments are
2014-10-16 20:40:34 +02:00
passed as parameter declarations to :class:`Argument`; all keyword
2015-07-16 14:26:14 +02:00
arguments are forwarded unchanged (except ``cls``).
This is equivalent to creating an :class:`Argument` instance manually
and attaching it to the :attr:`Command.params` list.
:param cls: the argument class to instantiate. This defaults to
:class:`Argument`.
2014-10-16 20:40:34 +02:00
"""
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
def decorator(f: FC) -> FC:
2022-11-30 09:52:01 +01:00
ArgumentClass = attrs.pop("cls", None) or Argument
2015-07-16 14:26:14 +02:00
_param_memo(f, ArgumentClass(param_decls, **attrs))
2014-10-16 20:40:34 +02:00
return f
2020-07-21 08:23:42 +02:00
2014-10-16 20:40:34 +02:00
return decorator
2021-10-10 03:31:57 +02:00
def option(*param_decls: str, **attrs: t.Any) -> t.Callable[[FC], FC]:
2014-10-16 20:40:34 +02:00
"""Attaches an option to the command. All positional arguments are
passed as parameter declarations to :class:`Option`; all keyword
2015-07-16 14:26:14 +02:00
arguments are forwarded unchanged (except ``cls``).
This is equivalent to creating an :class:`Option` instance manually
and attaching it to the :attr:`Command.params` list.
:param cls: the option class to instantiate. This defaults to
:class:`Option`.
2014-10-16 20:40:34 +02:00
"""
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
def decorator(f: FC) -> FC:
2018-09-06 20:55:10 +02:00
# Issue 926, copy attrs, so pre-defined options can re-use the same cls=
option_attrs = attrs.copy()
2022-11-30 09:52:01 +01:00
OptionClass = option_attrs.pop("cls", None) or Option
2018-09-06 20:55:10 +02:00
_param_memo(f, OptionClass(param_decls, **option_attrs))
2014-10-16 20:40:34 +02:00
return f
2020-07-21 08:23:42 +02:00
2014-10-16 20:40:34 +02:00
return decorator
2021-10-10 03:31:57 +02:00
def confirmation_option(*param_decls: str, **kwargs: t.Any) -> t.Callable[[FC], FC]:
"""Add a ``--yes`` option which shows a prompt before continuing if
not passed. If the prompt is declined, the program will exit.
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
:param param_decls: One or more option names. Defaults to the single
value ``"--yes"``.
:param kwargs: Extra arguments are passed to :func:`option`.
2014-10-16 20:40:34 +02:00
"""
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
def callback(ctx: Context, param: Parameter, value: bool) -> None:
if not value:
ctx.abort()
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
if not param_decls:
param_decls = ("--yes",)
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
kwargs.setdefault("is_flag", True)
kwargs.setdefault("callback", callback)
kwargs.setdefault("expose_value", False)
kwargs.setdefault("prompt", "Do you want to continue?")
kwargs.setdefault("help", "Confirm the action without prompting.")
return option(*param_decls, **kwargs)
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
def password_option(*param_decls: str, **kwargs: t.Any) -> t.Callable[[FC], FC]:
"""Add a ``--password`` option which prompts for a password, hiding
input and asking to enter the value again for confirmation.
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
:param param_decls: One or more option names. Defaults to the single
value ``"--password"``.
:param kwargs: Extra arguments are passed to :func:`option`.
"""
if not param_decls:
param_decls = ("--password",)
kwargs.setdefault("prompt", True)
kwargs.setdefault("confirmation_prompt", True)
kwargs.setdefault("hide_input", True)
return option(*param_decls, **kwargs)
def version_option(
version: t.Optional[str] = None,
*param_decls: str,
package_name: t.Optional[str] = None,
prog_name: t.Optional[str] = None,
message: t.Optional[str] = None,
**kwargs: t.Any,
) -> t.Callable[[FC], FC]:
"""Add a ``--version`` option which immediately prints the version
number and exits the program.
If ``version`` is not provided, Click will try to detect it using
:func:`importlib.metadata.version` to get the version for the
``package_name``. On Python < 3.8, the ``importlib_metadata``
backport must be installed.
If ``package_name`` is not provided, Click will try to detect it by
inspecting the stack frames. This will be used to detect the
version, so it must match the name of the installed package.
:param version: The version number to show. If not provided, Click
will try to detect it.
:param param_decls: One or more option names. Defaults to the single
value ``"--version"``.
:param package_name: The package name to detect the version from. If
not provided, Click will try to detect it.
:param prog_name: The name of the CLI to show in the message. If not
provided, it will be detected from the command.
:param message: The message to show. The values ``%(prog)s``,
``%(package)s``, and ``%(version)s`` are available. Defaults to
``"%(prog)s, version %(version)s"``.
:param kwargs: Extra arguments are passed to :func:`option`.
:raise RuntimeError: ``version`` could not be detected.
.. versionchanged:: 8.0
Add the ``package_name`` parameter, and the ``%(package)s``
value for messages.
.. versionchanged:: 8.0
Use :mod:`importlib.metadata` instead of ``pkg_resources``. The
version is detected based on the package name, not the entry
point name. The Python package name must match the installed
package name, or be passed with ``package_name=``.
2014-10-16 20:40:34 +02:00
"""
2021-10-10 03:31:57 +02:00
if message is None:
message = _("%(prog)s, version %(version)s")
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
if version is None and package_name is None:
frame = inspect.currentframe()
f_back = frame.f_back if frame is not None else None
f_globals = f_back.f_globals if f_back is not None else None
# break reference cycle
# https://docs.python.org/3/library/inspect.html#the-interpreter-stack
del frame
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
if f_globals is not None:
package_name = f_globals.get("__name__")
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
if package_name == "__main__":
package_name = f_globals.get("__package__")
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
if package_name:
package_name = package_name.partition(".")[0]
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
def callback(ctx: Context, param: Parameter, value: bool) -> None:
if not value or ctx.resilient_parsing:
return
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
nonlocal prog_name
nonlocal version
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
if prog_name is None:
prog_name = ctx.find_root().info_name
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
if version is None and package_name is not None:
metadata: t.Optional[types.ModuleType]
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
try:
from importlib import metadata # type: ignore
except ImportError:
# Python < 3.8
import importlib_metadata as metadata # type: ignore
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
try:
version = metadata.version(package_name) # type: ignore
except metadata.PackageNotFoundError: # type: ignore
raise RuntimeError(
f"{package_name!r} is not installed. Try passing"
" 'package_name' instead."
) from None
if version is None:
raise RuntimeError(
f"Could not determine the version for {package_name!r} automatically."
)
echo(
t.cast(str, message)
% {"prog": prog_name, "package": package_name, "version": version},
color=ctx.color,
)
ctx.exit()
if not param_decls:
param_decls = ("--version",)
kwargs.setdefault("is_flag", True)
kwargs.setdefault("expose_value", False)
kwargs.setdefault("is_eager", True)
kwargs.setdefault("help", _("Show the version and exit."))
kwargs["callback"] = callback
return option(*param_decls, **kwargs)
def help_option(*param_decls: str, **kwargs: t.Any) -> t.Callable[[FC], FC]:
"""Add a ``--help`` option which immediately prints the help page
and exits the program.
This is usually unnecessary, as the ``--help`` option is added to
each command automatically unless ``add_help_option=False`` is
passed.
:param param_decls: One or more option names. Defaults to the single
value ``"--help"``.
:param kwargs: Extra arguments are passed to :func:`option`.
2014-10-16 20:40:34 +02:00
"""
2020-07-21 08:23:42 +02:00
2021-10-10 03:31:57 +02:00
def callback(ctx: Context, param: Parameter, value: bool) -> None:
if not value or ctx.resilient_parsing:
return
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
echo(ctx.get_help(), color=ctx.color)
ctx.exit()
2014-10-16 20:40:34 +02:00
2021-10-10 03:31:57 +02:00
if not param_decls:
param_decls = ("--help",)
kwargs.setdefault("is_flag", True)
kwargs.setdefault("expose_value", False)
kwargs.setdefault("is_eager", True)
kwargs.setdefault("help", _("Show this message and exit."))
kwargs["callback"] = callback
return option(*param_decls, **kwargs)