Coverage for /pythoncovmergedfiles/medio/medio/usr/local/lib/python3.11/site-packages/invoke/tasks.py: 22%
Shortcuts on this page
r m x toggle line displays
j k next/prev highlighted chunk
0 (zero) top of page
1 (one) first highlighted chunk
Shortcuts on this page
r m x toggle line displays
j k next/prev highlighted chunk
0 (zero) top of page
1 (one) first highlighted chunk
1"""
2This module contains the core `.Task` class & convenience decorators used to
3generate new tasks.
4"""
6import inspect
7import types
8from copy import deepcopy
9from functools import update_wrapper
10from typing import (
11 TYPE_CHECKING,
12 Any,
13 Callable,
14 Dict,
15 List,
16 Generic,
17 Iterable,
18 Optional,
19 Set,
20 Tuple,
21 Type,
22 TypeVar,
23 Union,
24)
26from .context import Context
27from .parser import Argument, translate_underscores
29if TYPE_CHECKING:
30 from inspect import Signature
31 from .config import Config
33T = TypeVar("T", bound=Callable)
36class Task(Generic[T]):
37 """
38 Core object representing an executable task & its argument specification.
40 For the most part, this object is a clearinghouse for all of the data that
41 may be supplied to the `@task <invoke.tasks.task>` decorator, such as
42 ``name``, ``aliases``, ``positional`` etc, which appear as attributes.
44 In addition, instantiation copies some introspection/documentation friendly
45 metadata off of the supplied ``body`` object, such as ``__doc__``,
46 ``__name__`` and ``__module__``, allowing it to "appear as" ``body`` for
47 most intents and purposes.
49 .. versionadded:: 1.0
50 """
52 # TODO: store these kwarg defaults central, refer to those values both here
53 # and in @task.
54 # TODO: allow central per-session / per-taskmodule control over some of
55 # them, e.g. (auto_)positional, auto_shortflags.
56 # NOTE: we shadow __builtins__.help here on purpose - obfuscating to avoid
57 # it feels bad, given the builtin will never actually be in play anywhere
58 # except a debug shell whose frame is exactly inside this class.
59 def __init__(
60 self,
61 body: Callable,
62 name: Optional[str] = None,
63 aliases: Iterable[str] = (),
64 positional: Optional[Iterable[str]] = None,
65 optional: Iterable[str] = (),
66 default: bool = False,
67 auto_shortflags: bool = True,
68 help: Optional[Dict[str, Any]] = None,
69 pre: Optional[Union[List[str], str]] = None,
70 post: Optional[Union[List[str], str]] = None,
71 autoprint: bool = False,
72 iterable: Optional[Iterable[str]] = None,
73 incrementable: Optional[Iterable[str]] = None,
74 ) -> None:
75 # Real callable
76 self.body = body
77 update_wrapper(self, self.body)
78 # Copy a bunch of special properties from the body for the benefit of
79 # Sphinx autodoc or other introspectors.
80 self.__doc__ = getattr(body, "__doc__", "")
81 self.__name__ = getattr(body, "__name__", "")
82 self.__module__ = getattr(body, "__module__", "")
83 # Default name, alternate names, and whether it should act as the
84 # default for its parent collection
85 self._name = name
86 self.aliases = aliases
87 self.is_default = default
88 # Arg/flag/parser hints
89 self.positional = self.fill_implicit_positionals(positional)
90 self.optional = tuple(optional)
91 self.iterable = iterable or []
92 self.incrementable = incrementable or []
93 self.auto_shortflags = auto_shortflags
94 self.help = (help or {}).copy()
95 # Call chain bidness
96 self.pre = pre or []
97 self.post = post or []
98 self.times_called = 0
99 # Whether to print return value post-execution
100 self.autoprint = autoprint
102 @property
103 def name(self) -> str:
104 return self._name or self.__name__
106 def __repr__(self) -> str:
107 aliases = ""
108 if self.aliases:
109 aliases = " ({})".format(", ".join(self.aliases))
110 return "<Task {!r}{}>".format(self.name, aliases)
112 def __eq__(self, other: object) -> bool:
113 if not isinstance(other, Task) or self.name != other.name:
114 return False
115 # Functions do not define __eq__ but func_code objects apparently do.
116 # (If we're wrapping some other callable, they will be responsible for
117 # defining equality on their end.)
118 if self.body == other.body:
119 return True
120 else:
121 try:
122 return self.body.__code__ == other.body.__code__
123 except AttributeError:
124 return False
126 def __hash__(self) -> int:
127 # Presumes name and body will never be changed. Hrm.
128 # Potentially cleaner to just not use Tasks as hash keys, but let's do
129 # this for now.
130 return hash(self.name) + hash(self.body)
132 def __call__(self, *args: Any, **kwargs: Any) -> T:
133 # Guard against calling tasks with no context.
134 if not isinstance(args[0], Context):
135 err = "Task expected a Context as its first arg, got {} instead!"
136 # TODO: raise a custom subclass _of_ TypeError instead
137 raise TypeError(err.format(type(args[0])))
138 result = self.body(*args, **kwargs)
139 self.times_called += 1
140 return result
142 @property
143 def called(self) -> bool:
144 return self.times_called > 0
146 def argspec(self, body: Callable) -> "Signature":
147 """
148 Returns a modified `inspect.Signature` based on that of ``body``.
150 :returns:
151 an `inspect.Signature` matching that of ``body``, but with the
152 initial context argument removed.
153 :raises TypeError:
154 if the task lacks an initial positional `.Context` argument.
156 .. versionadded:: 1.0
157 .. versionchanged:: 2.0
158 Changed from returning a two-tuple of ``(arg_names, spec_dict)`` to
159 returning an `inspect.Signature`.
160 """
161 # Handle callable-but-not-function objects
162 func = (
163 body
164 if isinstance(body, types.FunctionType)
165 else body.__call__ # type: ignore
166 )
167 # Rebuild signature with first arg dropped, or die usefully(ish trying
168 sig = inspect.signature(func)
169 params = list(sig.parameters.values())
170 # TODO: this ought to also check if an extant 1st param _was_ a Context
171 # arg, and yell similarly if not.
172 if not len(params):
173 # TODO: see TODO under __call__, this should be same type
174 raise TypeError("Tasks must have an initial Context argument!")
175 return sig.replace(parameters=params[1:])
177 def fill_implicit_positionals(
178 self, positional: Optional[Iterable[str]]
179 ) -> Iterable[str]:
180 # If positionals is None, everything lacking a default
181 # value will be automatically considered positional.
182 if positional is None:
183 positional = [
184 x.name
185 for x in self.argspec(self.body).parameters.values()
186 if x.default is inspect.Signature.empty
187 ]
188 return positional
190 def arg_opts(
191 self, name: str, default: str, taken_names: Set[str]
192 ) -> Dict[str, Any]:
193 opts: Dict[str, Any] = {}
194 # Whether it's positional or not
195 opts["positional"] = name in self.positional
196 # Whether it is a value-optional flag
197 opts["optional"] = name in self.optional
198 # Whether it should be of an iterable (list) kind
199 if name in self.iterable:
200 opts["kind"] = list
201 # If user gave a non-None default, hopefully they know better
202 # than us what they want here (and hopefully it offers the list
203 # protocol...) - otherwise supply useful default
204 opts["default"] = default if default is not None else []
205 # Whether it should increment its value or not
206 if name in self.incrementable:
207 opts["incrementable"] = True
208 # Argument name(s) (replace w/ dashed version if underscores present,
209 # and move the underscored version to be the attr_name instead.)
210 original_name = name # For reference in eg help=
211 if "_" in name:
212 opts["attr_name"] = name
213 name = translate_underscores(name)
214 names = [name]
215 if self.auto_shortflags:
216 # Must know what short names are available
217 for char in name:
218 if not (char == name or char in taken_names):
219 names.append(char)
220 break
221 opts["names"] = names
222 # Handle default value & kind if possible
223 if default not in (None, inspect.Signature.empty):
224 # TODO: allow setting 'kind' explicitly.
225 # NOTE: skip setting 'kind' if optional is True + type(default) is
226 # bool; that results in a nonsensical Argument which gives the
227 # parser grief in a few ways.
228 kind = type(default)
229 if not (opts["optional"] and kind is bool):
230 opts["kind"] = kind
231 opts["default"] = default
232 # Help
233 for possibility in name, original_name:
234 if possibility in self.help:
235 opts["help"] = self.help.pop(possibility)
236 break
237 return opts
239 def get_arguments(
240 self, ignore_unknown_help: Optional[bool] = None
241 ) -> List[Argument]:
242 """
243 Return a list of Argument objects representing this task's signature.
245 :param bool ignore_unknown_help:
246 Controls whether unknown help flags cause errors. See the config
247 option by the same name for details.
249 .. versionadded:: 1.0
250 .. versionchanged:: 1.7
251 Added the ``ignore_unknown_help`` kwarg.
252 """
253 # Core argspec
254 sig = self.argspec(self.body)
255 # Prime the list of all already-taken names (mostly for help in
256 # choosing auto shortflags)
257 taken_names = set(sig.parameters.keys())
258 # Build arg list (arg_opts will take care of setting up shortnames,
259 # etc)
260 args = []
261 for param in sig.parameters.values():
262 new_arg = Argument(
263 **self.arg_opts(param.name, param.default, taken_names)
264 )
265 args.append(new_arg)
266 # Update taken_names list with new argument's full name list
267 # (which may include new shortflags) so subsequent Argument
268 # creation knows what's taken.
269 taken_names.update(set(new_arg.names))
270 # If any values were leftover after consuming a 'help' dict, it implies
271 # the user messed up & had a typo or similar. Let's explode.
272 if self.help and not ignore_unknown_help:
273 raise ValueError(
274 "Help field was set for param(s) that don't exist: {}".format(
275 list(self.help.keys())
276 )
277 )
278 # Now we need to ensure positionals end up in the front of the list, in
279 # order given in self.positionals, so that when Context consumes them,
280 # this order is preserved.
281 for posarg in reversed(list(self.positional)):
282 for i, arg in enumerate(args):
283 if arg.name == posarg:
284 args.insert(0, args.pop(i))
285 break
286 return args
289def task(*args: Any, **kwargs: Any) -> Callable:
290 """
291 Marks wrapped callable object as a valid Invoke task.
293 May be called without any parentheses if no extra options need to be
294 specified. Otherwise, the following keyword arguments are allowed in the
295 parenthese'd form:
297 * ``name``: Default name to use when binding to a `.Collection`. Useful for
298 avoiding Python namespace issues (i.e. when the desired CLI level name
299 can't or shouldn't be used as the Python level name.)
300 * ``aliases``: Specify one or more aliases for this task, allowing it to be
301 invoked as multiple different names. For example, a task named ``mytask``
302 with a simple ``@task`` wrapper may only be invoked as ``"mytask"``.
303 Changing the decorator to be ``@task(aliases=['myothertask'])`` allows
304 invocation as ``"mytask"`` *or* ``"myothertask"``.
305 * ``positional``: Iterable overriding the parser's automatic "args with no
306 default value are considered positional" behavior. If a list of arg
307 names, no args besides those named in this iterable will be considered
308 positional. (This means that an empty list will force all arguments to be
309 given as explicit flags.)
310 * ``optional``: Iterable of argument names, declaring those args to
311 have :ref:`optional values <optional-values>`. Such arguments may be
312 given as value-taking options (e.g. ``--my-arg=myvalue``, wherein the
313 task is given ``"myvalue"``) or as Boolean flags (``--my-arg``, resulting
314 in ``True``).
315 * ``iterable``: Iterable of argument names, declaring them to :ref:`build
316 iterable values <iterable-flag-values>`.
317 * ``incrementable``: Iterable of argument names, declaring them to
318 :ref:`increment their values <incrementable-flag-values>`.
319 * ``default``: Boolean option specifying whether this task should be its
320 collection's default task (i.e. called if the collection's own name is
321 given.)
322 * ``auto_shortflags``: Whether or not to automatically create short
323 flags from task options; defaults to True.
324 * ``help``: Dict mapping argument names to their help strings. Will be
325 displayed in ``--help`` output. For arguments containing underscores
326 (which are transformed into dashes on the CLI by default), either the
327 dashed or underscored version may be supplied here.
328 * ``pre``, ``post``: Lists of task objects to execute prior to, or after,
329 the wrapped task whenever it is executed.
330 * ``autoprint``: Boolean determining whether to automatically print this
331 task's return value to standard output when invoked directly via the CLI.
332 Defaults to False.
333 * ``klass``: Class to instantiate/return. Defaults to `.Task`.
335 If any non-keyword arguments are given, they are taken as the value of the
336 ``pre`` kwarg for convenience's sake. (It is an error to give both
337 ``*args`` and ``pre`` at the same time.)
339 .. versionadded:: 1.0
340 .. versionchanged:: 1.1
341 Added the ``klass`` keyword argument.
342 """
343 klass: Type[Task] = kwargs.pop("klass", Task)
344 # @task -- no options were (probably) given.
345 if len(args) == 1 and callable(args[0]) and not isinstance(args[0], Task):
346 return klass(args[0], **kwargs)
347 # @task(pre, tasks, here)
348 if args:
349 if "pre" in kwargs:
350 raise TypeError(
351 "May not give *args and 'pre' kwarg simultaneously!"
352 )
353 kwargs["pre"] = args
355 def inner(body: Callable) -> Task[T]:
356 _task = klass(body, **kwargs)
357 return _task
359 # update_wrapper(inner, klass)
360 return inner
363class Call:
364 """
365 Represents a call/execution of a `.Task` with given (kw)args.
367 Similar to `~functools.partial` with some added functionality (such as the
368 delegation to the inner task, and optional tracking of the name it's being
369 called by.)
371 .. versionadded:: 1.0
372 """
374 def __init__(
375 self,
376 task: "Task",
377 called_as: Optional[str] = None,
378 args: Optional[Tuple[str, ...]] = None,
379 kwargs: Optional[Dict[str, Any]] = None,
380 ) -> None:
381 """
382 Create a new `.Call` object.
384 :param task: The `.Task` object to be executed.
386 :param str called_as:
387 The name the task is being called as, e.g. if it was called by an
388 alias or other rebinding. Defaults to ``None``, aka, the task was
389 referred to by its default name.
391 :param tuple args:
392 Positional arguments to call with, if any. Default: ``None``.
394 :param dict kwargs:
395 Keyword arguments to call with, if any. Default: ``None``.
396 """
397 self.task = task
398 self.called_as = called_as
399 self.args = args or tuple()
400 self.kwargs = kwargs or dict()
402 # TODO: just how useful is this? feels like maybe overkill magic
403 def __getattr__(self, name: str) -> Any:
404 return getattr(self.task, name)
406 def __deepcopy__(self, memo: object) -> "Call":
407 return self.clone()
409 def __repr__(self) -> str:
410 aka = ""
411 if self.called_as is not None and self.called_as != self.task.name:
412 aka = " (called as: {!r})".format(self.called_as)
413 return "<{} {!r}{}, args: {!r}, kwargs: {!r}>".format(
414 self.__class__.__name__,
415 self.task.name,
416 aka,
417 self.args,
418 self.kwargs,
419 )
421 def __eq__(self, other: object) -> bool:
422 # NOTE: Not comparing 'called_as'; a named call of a given Task with
423 # same args/kwargs should be considered same as an unnamed call of the
424 # same Task with the same args/kwargs (e.g. pre/post task specified w/o
425 # name). Ditto tasks with multiple aliases.
426 for attr in "task args kwargs".split():
427 if getattr(self, attr) != getattr(other, attr):
428 return False
429 return True
431 def make_context(self, config: "Config") -> Context:
432 """
433 Generate a `.Context` appropriate for this call, with given config.
435 .. versionadded:: 1.0
436 """
437 return Context(config=config)
439 def clone_data(self) -> Dict[str, Any]:
440 """
441 Return keyword args suitable for cloning this call into another.
443 .. versionadded:: 1.1
444 """
445 return dict(
446 task=self.task,
447 called_as=self.called_as,
448 args=deepcopy(self.args),
449 kwargs=deepcopy(self.kwargs),
450 )
452 def clone(
453 self,
454 into: Optional[Type["Call"]] = None,
455 with_: Optional[Dict[str, Any]] = None,
456 ) -> "Call":
457 """
458 Return a standalone copy of this Call.
460 Useful when parameterizing task executions.
462 :param into:
463 A subclass to generate instead of the current class. Optional.
465 :param dict with_:
466 A dict of additional keyword arguments to use when creating the new
467 clone; typically used when cloning ``into`` a subclass that has
468 extra args on top of the base class. Optional.
470 .. note::
471 This dict is used to ``.update()`` the original object's data
472 (the return value from its `clone_data`), so in the event of
473 a conflict, values in ``with_`` will win out.
475 .. versionadded:: 1.0
476 .. versionchanged:: 1.1
477 Added the ``with_`` kwarg.
478 """
479 klass = into if into is not None else self.__class__
480 data = self.clone_data()
481 if with_ is not None:
482 data.update(with_)
483 return klass(**data)
486def call(task: "Task", *args: Any, **kwargs: Any) -> "Call":
487 """
488 Describes execution of a `.Task`, typically with pre-supplied arguments.
490 Useful for setting up :ref:`pre/post task invocations
491 <parameterizing-pre-post-tasks>`. It's actually just a convenient wrapper
492 around the `.Call` class, which may be used directly instead if desired.
494 For example, here's two build-like tasks that both refer to a ``setup``
495 pre-task, one with no baked-in argument values (and thus no need to use
496 `.call`), and one that toggles a boolean flag::
498 @task
499 def setup(c, clean=False):
500 if clean:
501 c.run("rm -rf target")
502 # ... setup things here ...
503 c.run("tar czvf target.tgz target")
505 @task(pre=[setup])
506 def build(c):
507 c.run("build, accounting for leftover files...")
509 @task(pre=[call(setup, clean=True)])
510 def clean_build(c):
511 c.run("build, assuming clean slate...")
513 Please see the constructor docs for `.Call` for details - this function's
514 ``args`` and ``kwargs`` map directly to the same arguments as in that
515 method.
517 .. versionadded:: 1.0
518 """
519 return Call(task, args=args, kwargs=kwargs)