from__future__importannotationsimportinspectimporttypingastfromfunctoolsimportupdate_wrapperfromgettextimportgettextas_from.coreimportArgumentfrom.coreimportCommandfrom.coreimportContextfrom.coreimportGroupfrom.coreimportOptionfrom.coreimportParameterfrom.globalsimportget_current_contextfrom.utilsimportechoift.TYPE_CHECKING:importtyping_extensionsasteP=te.ParamSpec("P")R=t.TypeVar("R")T=t.TypeVar("T")_AnyCallable=t.Callable[...,t.Any]FC=t.TypeVar("FC",bound="_AnyCallable | Command")defpass_context(f:t.Callable[te.Concatenate[Context,P],R])->t.Callable[P,R]:"""Marks a callback as wanting to receive the current context object as first argument. """defnew_func(*args:P.args,**kwargs:P.kwargs)->R:returnf(get_current_context(),*args,**kwargs)returnupdate_wrapper(new_func,f)
[docs]defpass_obj(f:t.Callable[te.Concatenate[T,P],R])->t.Callable[P,R]:"""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. """defnew_func(*args:P.args,**kwargs:P.kwargs)->R:returnf(get_current_context().obj,*args,**kwargs)returnupdate_wrapper(new_func,f)
[docs]defmake_pass_decorator(object_type:type[T],ensure:bool=False)->t.Callable[[t.Callable[te.Concatenate[T,P],R]],t.Callable[P,R]]:"""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. """defdecorator(f:t.Callable[te.Concatenate[T,P],R])->t.Callable[P,R]:defnew_func(*args:P.args,**kwargs:P.kwargs)->R:ctx=get_current_context()obj:T|Noneifensure:obj=ctx.ensure_object(object_type)else:obj=ctx.find_object(object_type)ifobjisNone:raiseRuntimeError("Managed to invoke callback without a context"f" object of type {object_type.__name__!r}"" existing.")returnctx.invoke(f,obj,*args,**kwargs)returnupdate_wrapper(new_func,f)returndecorator
defpass_meta_key(key:str,*,doc_description:str|None=None)->t.Callable[[t.Callable[te.Concatenate[T,P],R]],t.Callable[P,R]]:"""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". .. versionadded:: 8.0 """defdecorator(f:t.Callable[te.Concatenate[T,P],R])->t.Callable[P,R]:defnew_func(*args:P.args,**kwargs:P.kwargs)->R:ctx=get_current_context()obj=ctx.meta[key]returnctx.invoke(f,obj,*args,**kwargs)returnupdate_wrapper(new_func,f)ifdoc_descriptionisNone: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.")returndecoratorCmdType=t.TypeVar("CmdType",bound=Command)# variant: no call, directly as decorator for a function.@t.overloaddefcommand(name:_AnyCallable)->Command:...# variant: with positional name and with positional or keyword cls argument:# @command(namearg, CommandCls, ...) or @command(namearg, cls=CommandCls, ...)@t.overloaddefcommand(name:str|None,cls:type[CmdType],**attrs:t.Any,)->t.Callable[[_AnyCallable],CmdType]:...# variant: name omitted, cls _must_ be a keyword argument, @command(cls=CommandCls, ...)@t.overloaddefcommand(name:None=None,*,cls:type[CmdType],**attrs:t.Any,)->t.Callable[[_AnyCallable],CmdType]:...# variant: with optional string name, no cls argument provided.@t.overloaddefcommand(name:str|None=...,cls:None=None,**attrs:t.Any)->t.Callable[[_AnyCallable],Command]:...defcommand(name:str|_AnyCallable|None=None,cls:type[CmdType]|None=None,**attrs:t.Any,)->Command|t.Callable[[_AnyCallable],Command|CmdType]:r"""Creates a new :class:`Command` and uses the decorated function as callback. This will also automatically attach all decorated :func:`option`\s and :func:`argument`\s as parameters to the command. The name of the command defaults to the name of the function, converted to lowercase, with underscores ``_`` replaced by dashes ``-``, and the suffixes ``_command``, ``_cmd``, ``_group``, and ``_grp`` are removed. For example, ``init_data_command`` becomes ``init-data``. All keyword arguments are forwarded to the underlying command class. For the ``params`` argument, any decorated params are appended to the end of the list. 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. Defaults to modifying the function's name as described above. :param cls: The command class to create. Defaults to :class:`Command`. .. versionchanged:: 8.2 The suffixes ``_command``, ``_cmd``, ``_group``, and ``_grp`` are removed when generating the name. .. 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. """func:t.Callable[[_AnyCallable],t.Any]|None=Noneifcallable(name):func=namename=NoneassertclsisNone,"Use 'command(cls=cls)(callable)' to specify a class."assertnotattrs,"Use 'command(**kwargs)(callable)' to provide arguments."ifclsisNone:cls=t.cast("type[CmdType]",Command)defdecorator(f:_AnyCallable)->CmdType:ifisinstance(f,Command):raiseTypeError("Attempted to convert a callback into a command twice.")attr_params=attrs.pop("params",None)params=attr_paramsifattr_paramsisnotNoneelse[]try:decorator_params=f.__click_params__# type: ignoreexceptAttributeError:passelse:delf.__click_params__# type: ignoreparams.extend(reversed(decorator_params))ifattrs.get("help")isNone:attrs["help"]=f.__doc__ift.TYPE_CHECKING:assertclsisnotNoneassertnotcallable(name)ifnameisnotNone:cmd_name=nameelse:cmd_name=f.__name__.lower().replace("_","-")cmd_left,sep,suffix=cmd_name.rpartition("-")ifsepandsuffixin{"command","cmd","group","grp"}:cmd_name=cmd_leftcmd=cls(name=cmd_name,callback=f,params=params,**attrs)cmd.__doc__=f.__doc__returncmdiffuncisnotNone:returndecorator(func)returndecoratorGrpType=t.TypeVar("GrpType",bound=Group)# variant: no call, directly as decorator for a function.@t.overloaddefgroup(name:_AnyCallable)->Group:...# variant: with positional name and with positional or keyword cls argument:# @group(namearg, GroupCls, ...) or @group(namearg, cls=GroupCls, ...)@t.overloaddefgroup(name:str|None,cls:type[GrpType],**attrs:t.Any,)->t.Callable[[_AnyCallable],GrpType]:...# variant: name omitted, cls _must_ be a keyword argument, @group(cmd=GroupCls, ...)@t.overloaddefgroup(name:None=None,*,cls:type[GrpType],**attrs:t.Any,)->t.Callable[[_AnyCallable],GrpType]:...# variant: with optional string name, no cls argument provided.@t.overloaddefgroup(name:str|None=...,cls:None=None,**attrs:t.Any)->t.Callable[[_AnyCallable],Group]:...defgroup(name:str|_AnyCallable|None=None,cls:type[GrpType]|None=None,**attrs:t.Any,)->Group|t.Callable[[_AnyCallable],Group|GrpType]:"""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`. .. versionchanged:: 8.1 This decorator can be applied without parentheses. """ifclsisNone:cls=t.cast("type[GrpType]",Group)ifcallable(name):returncommand(cls=cls,**attrs)(name)returncommand(name,cls,**attrs)def_param_memo(f:t.Callable[...,t.Any],param:Parameter)->None:ifisinstance(f,Command):f.params.append(param)else:ifnothasattr(f,"__click_params__"):f.__click_params__=[]# type: ignoref.__click_params__.append(param)# type: ignoredefargument(*param_decls:str,cls:type[Argument]|None=None,**attrs:t.Any)->t.Callable[[FC],FC]:"""Attaches an argument to the command. All positional arguments are passed as parameter declarations to :class:`Argument`; all keyword 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. For the default argument class, refer to :class:`Argument` and :class:`Parameter` for descriptions of parameters. :param cls: the argument class to instantiate. This defaults to :class:`Argument`. :param param_decls: Passed as positional arguments to the constructor of ``cls``. :param attrs: Passed as keyword arguments to the constructor of ``cls``. """ifclsisNone:cls=Argumentdefdecorator(f:FC)->FC:_param_memo(f,cls(param_decls,**attrs))returnfreturndecoratordefoption(*param_decls:str,cls:type[Option]|None=None,**attrs:t.Any)->t.Callable[[FC],FC]:"""Attaches an option to the command. All positional arguments are passed as parameter declarations to :class:`Option`; all keyword 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. For the default option class, refer to :class:`Option` and :class:`Parameter` for descriptions of parameters. :param cls: the option class to instantiate. This defaults to :class:`Option`. :param param_decls: Passed as positional arguments to the constructor of ``cls``. :param attrs: Passed as keyword arguments to the constructor of ``cls``. """ifclsisNone:cls=Optiondefdecorator(f:FC)->FC:_param_memo(f,cls(param_decls,**attrs))returnfreturndecorator
[docs]defconfirmation_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. :param param_decls: One or more option names. Defaults to the single value ``"--yes"``. :param kwargs: Extra arguments are passed to :func:`option`. """defcallback(ctx:Context,param:Parameter,value:bool)->None:ifnotvalue:ctx.abort()ifnotparam_decls:param_decls=("--yes",)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.")returnoption(*param_decls,**kwargs)
[docs]defpassword_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. :param param_decls: One or more option names. Defaults to the single value ``"--password"``. :param kwargs: Extra arguments are passed to :func:`option`. """ifnotparam_decls:param_decls=("--password",)kwargs.setdefault("prompt",True)kwargs.setdefault("confirmation_prompt",True)kwargs.setdefault("hide_input",True)returnoption(*param_decls,**kwargs)
[docs]defversion_option(version:str|None=None,*param_decls:str,package_name:str|None=None,prog_name:str|None=None,message:str|None=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``. 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=``. """ifmessageisNone:message=_("%(prog)s, version %(version)s")ifversionisNoneandpackage_nameisNone:frame=inspect.currentframe()f_back=frame.f_backifframeisnotNoneelseNonef_globals=f_back.f_globalsiff_backisnotNoneelseNone# break reference cycle# https://docs.python.org/3/library/inspect.html#the-interpreter-stackdelframeiff_globalsisnotNone:package_name=f_globals.get("__name__")ifpackage_name=="__main__":package_name=f_globals.get("__package__")ifpackage_name:package_name=package_name.partition(".")[0]defcallback(ctx:Context,param:Parameter,value:bool)->None:ifnotvalueorctx.resilient_parsing:returnnonlocalprog_namenonlocalversionifprog_nameisNone:prog_name=ctx.find_root().info_nameifversionisNoneandpackage_nameisnotNone:importimportlib.metadatatry:version=importlib.metadata.version(package_name)exceptimportlib.metadata.PackageNotFoundError:raiseRuntimeError(f"{package_name!r} is not installed. Try passing"" 'package_name' instead.")fromNoneifversionisNone:raiseRuntimeError(f"Could not determine the version for {package_name!r} automatically.")echo(message%{"prog":prog_name,"package":package_name,"version":version},color=ctx.color,)ctx.exit()ifnotparam_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"]=callbackreturnoption(*param_decls,**kwargs)
defhelp_option(*param_decls:str,**kwargs:t.Any)->t.Callable[[FC],FC]:"""Pre-configured ``--help`` option which immediately prints the help page and exits the program. :param param_decls: One or more option names. Defaults to the single value ``"--help"``. :param kwargs: Extra arguments are passed to :func:`option`. """defshow_help(ctx:Context,param:Parameter,value:bool)->None:"""Callback that print the help page on ``<stdout>`` and exits."""ifvalueandnotctx.resilient_parsing:echo(ctx.get_help(),color=ctx.color)ctx.exit()ifnotparam_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.setdefault("callback",show_help)returnoption(*param_decls,**kwargs)