12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040104110421043104410451046104710481049105010511052105310541055105610571058105910601061106210631064106510661067106810691070107110721073107410751076107710781079108010811082108310841085108610871088108910901091109210931094109510961097109810991100110111021103110411051106110711081109111011111112111311141115111611171118111911201121112211231124112511261127112811291130113111321133113411351136113711381139114011411142114311441145114611471148114911501151115211531154115511561157115811591160116111621163116411651166116711681169117011711172117311741175117611771178117911801181118211831184118511861187118811891190119111921193119411951196119711981199120012011202120312041205120612071208120912101211121212131214121512161217121812191220122112221223122412251226122712281229123012311232123312341235123612371238123912401241124212431244124512461247124812491250125112521253125412551256125712581259126012611262126312641265126612671268126912701271127212731274127512761277127812791280128112821283128412851286128712881289129012911292129312941295129612971298129913001301130213031304130513061307130813091310131113121313131413151316131713181319132013211322132313241325132613271328132913301331133213331334133513361337133813391340134113421343134413451346134713481349135013511352135313541355135613571358135913601361136213631364136513661367136813691370137113721373137413751376137713781379138013811382138313841385138613871388138913901391139213931394139513961397139813991400 |
- # -*- coding: utf-8 -*-
- """Composing task work-flows.
- .. seealso:
- You should import these from :mod:`celery` and not this module.
- """
- from __future__ import absolute_import, unicode_literals
- import itertools
- import operator
- from collections import MutableSequence, deque
- from copy import deepcopy
- from functools import partial as _partial
- from functools import reduce
- from operator import itemgetter
- from kombu.utils.functional import fxrange, reprcall
- from kombu.utils.objects import cached_property
- from kombu.utils.uuid import uuid
- from vine import barrier
- from celery._state import current_app
- from celery.five import PY3, python_2_unicode_compatible
- from celery.local import try_import
- from celery.result import GroupResult, allow_join_result
- from celery.utils import abstract
- from celery.utils.functional import _regen
- from celery.utils.functional import chunks as _chunks
- from celery.utils.functional import (is_list, maybe_list, regen,
- seq_concat_item, seq_concat_seq)
- from celery.utils.objects import getitem_property
- from celery.utils.text import remove_repeating_from_task, truncate
- __all__ = (
- 'Signature', 'chain', 'xmap', 'xstarmap', 'chunks',
- 'group', 'chord', 'signature', 'maybe_signature',
- )
- # json in Python 2.7 borks if dict contains byte keys.
- JSON_NEEDS_UNICODE_KEYS = PY3 and not try_import('simplejson')
- def maybe_unroll_group(g):
- """Unroll group with only one member."""
- # Issue #1656
- try:
- size = len(g.tasks)
- except TypeError:
- try:
- size = g.tasks.__length_hint__()
- except (AttributeError, TypeError):
- return g
- else:
- return list(g.tasks)[0] if size == 1 else g
- else:
- return g.tasks[0] if size == 1 else g
- def task_name_from(task):
- return getattr(task, 'name', task)
- def _upgrade(fields, sig):
- """Used by custom signatures in .from_dict, to keep common fields."""
- sig.update(chord_size=fields.get('chord_size'))
- return sig
- @abstract.CallableSignature.register
- @python_2_unicode_compatible
- class Signature(dict):
- """Task Signature.
- Class that wraps the arguments and execution options
- for a single task invocation.
- Used as the parts in a :class:`group` and other constructs,
- or to pass tasks around as callbacks while being compatible
- with serializers with a strict type subset.
- Signatures can also be created from tasks:
- - Using the ``.signature()`` method that has the same signature
- as ``Task.apply_async``:
- .. code-block:: pycon
- >>> add.signature(args=(1,), kwargs={'kw': 2}, options={})
- - or the ``.s()`` shortcut that works for star arguments:
- .. code-block:: pycon
- >>> add.s(1, kw=2)
- - the ``.s()`` shortcut does not allow you to specify execution options
- but there's a chaning `.set` method that returns the signature:
- .. code-block:: pycon
- >>> add.s(2, 2).set(countdown=10).set(expires=30).delay()
- Note:
- You should use :func:`~celery.signature` to create new signatures.
- The ``Signature`` class is the type returned by that function and
- should be used for ``isinstance`` checks for signatures.
- See Also:
- :ref:`guide-canvas` for the complete guide.
- Arguments:
- task (Task, str): Either a task class/instance, or the name of a task.
- args (Tuple): Positional arguments to apply.
- kwargs (Dict): Keyword arguments to apply.
- options (Dict): Additional options to :meth:`Task.apply_async`.
- Note:
- If the first argument is a :class:`dict`, the other
- arguments will be ignored and the values in the dict will be used
- instead::
- >>> s = signature('tasks.add', args=(2, 2))
- >>> signature(s)
- {'task': 'tasks.add', args=(2, 2), kwargs={}, options={}}
- """
- TYPES = {}
- _app = _type = None
- @classmethod
- def register_type(cls, name=None):
- def _inner(subclass):
- cls.TYPES[name or subclass.__name__] = subclass
- return subclass
- return _inner
- @classmethod
- def from_dict(cls, d, app=None):
- typ = d.get('subtask_type')
- if typ:
- target_cls = cls.TYPES[typ]
- if target_cls is not cls:
- return target_cls.from_dict(d, app=app)
- return Signature(d, app=app)
- def __init__(self, task=None, args=None, kwargs=None, options=None,
- type=None, subtask_type=None, immutable=False,
- app=None, **ex):
- self._app = app
- if isinstance(task, dict):
- super(Signature, self).__init__(task) # works like dict(d)
- else:
- # Also supports using task class/instance instead of string name.
- try:
- task_name = task.name
- except AttributeError:
- task_name = task
- else:
- self._type = task
- super(Signature, self).__init__(
- task=task_name, args=tuple(args or ()),
- kwargs=kwargs or {},
- options=dict(options or {}, **ex),
- subtask_type=subtask_type,
- immutable=immutable,
- chord_size=None,
- )
- def __call__(self, *partial_args, **partial_kwargs):
- """Call the task directly (in the current process)."""
- args, kwargs, _ = self._merge(partial_args, partial_kwargs, None)
- return self.type(*args, **kwargs)
- def delay(self, *partial_args, **partial_kwargs):
- """Shortcut to :meth:`apply_async` using star arguments."""
- return self.apply_async(partial_args, partial_kwargs)
- def apply(self, args=(), kwargs={}, **options):
- """Call task locally.
- Same as :meth:`apply_async` but executed the task inline instead
- of sending a task message.
- """
- # For callbacks: extra args are prepended to the stored args.
- args, kwargs, options = self._merge(args, kwargs, options)
- return self.type.apply(args, kwargs, **options)
- def apply_async(self, args=(), kwargs={}, route_name=None, **options):
- """Apply this task asynchronously.
- Arguments:
- args (Tuple): Partial args to be prepended to the existing args.
- kwargs (Dict): Partial kwargs to be merged with existing kwargs.
- options (Dict): Partial options to be merged
- with existing options.
- Returns:
- ~@AsyncResult: promise of future evaluation.
- See also:
- :meth:`~@Task.apply_async` and the :ref:`guide-calling` guide.
- """
- try:
- _apply = self._apply_async
- except IndexError: # pragma: no cover
- # no tasks for chain, etc to find type
- return
- # For callbacks: extra args are prepended to the stored args.
- if args or kwargs or options:
- args, kwargs, options = self._merge(args, kwargs, options)
- else:
- args, kwargs, options = self.args, self.kwargs, self.options
- # pylint: disable=too-many-function-args
- # Borks on this, as it's a property
- return _apply(args, kwargs, **options)
- def _merge(self, args=(), kwargs={}, options={}, force=False):
- if self.immutable and not force:
- return (self.args, self.kwargs,
- dict(self.options, **options) if options else self.options)
- return (tuple(args) + tuple(self.args) if args else self.args,
- dict(self.kwargs, **kwargs) if kwargs else self.kwargs,
- dict(self.options, **options) if options else self.options)
- def clone(self, args=(), kwargs={}, **opts):
- """Create a copy of this signature.
- Arguments:
- args (Tuple): Partial args to be prepended to the existing args.
- kwargs (Dict): Partial kwargs to be merged with existing kwargs.
- options (Dict): Partial options to be merged with
- existing options.
- """
- # need to deepcopy options so origins links etc. is not modified.
- if args or kwargs or opts:
- args, kwargs, opts = self._merge(args, kwargs, opts)
- else:
- args, kwargs, opts = self.args, self.kwargs, self.options
- s = Signature.from_dict({'task': self.task, 'args': tuple(args),
- 'kwargs': kwargs, 'options': deepcopy(opts),
- 'subtask_type': self.subtask_type,
- 'chord_size': self.chord_size,
- 'immutable': self.immutable}, app=self._app)
- s._type = self._type
- return s
- partial = clone
- def freeze(self, _id=None, group_id=None, chord=None,
- root_id=None, parent_id=None):
- """Finalize the signature by adding a concrete task id.
- The task won't be called and you shouldn't call the signature
- twice after freezing it as that'll result in two task messages
- using the same task id.
- Returns:
- ~@AsyncResult: promise of future evaluation.
- """
- # pylint: disable=redefined-outer-name
- # XXX chord is also a class in outer scope.
- opts = self.options
- try:
- tid = opts['task_id']
- except KeyError:
- tid = opts['task_id'] = _id or uuid()
- if root_id:
- opts['root_id'] = root_id
- if parent_id:
- opts['parent_id'] = parent_id
- if 'reply_to' not in opts:
- opts['reply_to'] = self.app.oid
- if group_id:
- opts['group_id'] = group_id
- if chord:
- opts['chord'] = chord
- # pylint: disable=too-many-function-args
- # Borks on this, as it's a property.
- return self.AsyncResult(tid)
- _freeze = freeze
- def replace(self, args=None, kwargs=None, options=None):
- """Replace the args, kwargs or options set for this signature.
- These are only replaced if the argument for the section is
- not :const:`None`.
- """
- s = self.clone()
- if args is not None:
- s.args = args
- if kwargs is not None:
- s.kwargs = kwargs
- if options is not None:
- s.options = options
- return s
- def set(self, immutable=None, **options):
- """Set arbitrary execution options (same as ``.options.update(…)``).
- Returns:
- Signature: This is a chaining method call
- (i.e., it will return ``self``).
- """
- if immutable is not None:
- self.set_immutable(immutable)
- self.options.update(options)
- return self
- def set_immutable(self, immutable):
- self.immutable = immutable
- def _with_list_option(self, key):
- items = self.options.setdefault(key, [])
- if not isinstance(items, MutableSequence):
- items = self.options[key] = [items]
- return items
- def append_to_list_option(self, key, value):
- items = self._with_list_option(key)
- if value not in items:
- items.append(value)
- return value
- def extend_list_option(self, key, value):
- items = self._with_list_option(key)
- items.extend(maybe_list(value))
- def link(self, callback):
- """Add callback task to be applied if this task succeeds.
- Returns:
- Signature: the argument passed, for chaining
- or use with :func:`~functools.reduce`.
- """
- return self.append_to_list_option('link', callback)
- def link_error(self, errback):
- """Add callback task to be applied on error in task execution.
- Returns:
- Signature: the argument passed, for chaining
- or use with :func:`~functools.reduce`.
- """
- return self.append_to_list_option('link_error', errback)
- def on_error(self, errback):
- """Version of :meth:`link_error` that supports chaining.
- on_error chains the original signature, not the errback so::
- >>> add.s(2, 2).on_error(errback.s()).delay()
- calls the ``add`` task, not the ``errback`` task, but the
- reverse is true for :meth:`link_error`.
- """
- self.link_error(errback)
- return self
- def flatten_links(self):
- """Return a recursive list of dependencies.
- "unchain" if you will, but with links intact.
- """
- return list(itertools.chain.from_iterable(itertools.chain(
- [[self]],
- (link.flatten_links()
- for link in maybe_list(self.options.get('link')) or [])
- )))
- def __or__(self, other):
- # These could be implemented in each individual class,
- # I'm sure, but for now we have this.
- if isinstance(self, group):
- if isinstance(other, group):
- # group() | group() -> single group
- return group(
- itertools.chain(self.tasks, other.tasks), app=self.app)
- # group() | task -> chord
- return chord(self, body=other, app=self._app)
- elif isinstance(other, group):
- # unroll group with one member
- other = maybe_unroll_group(other)
- if isinstance(self, _chain):
- # chain | group() -> chain
- return _chain(seq_concat_item(
- self.unchain_tasks(), other), app=self._app)
- # task | group() -> chain
- return _chain(self, other, app=self.app)
- if not isinstance(self, _chain) and isinstance(other, _chain):
- # task | chain -> chain
- return _chain(seq_concat_seq(
- (self,), other.unchain_tasks()), app=self._app)
- elif isinstance(other, _chain):
- # chain | chain -> chain
- return _chain(seq_concat_seq(
- self.unchain_tasks(), other.unchain_tasks()), app=self._app)
- elif isinstance(self, chord):
- # chord | task -> attach to body
- sig = self.clone()
- sig.body = sig.body | other
- return sig
- elif isinstance(other, Signature):
- if isinstance(self, _chain):
- if self.tasks and isinstance(self.tasks[-1], group):
- # CHAIN [last item is group] | TASK -> chord
- sig = self.clone()
- sig.tasks[-1] = chord(
- sig.tasks[-1], other, app=self._app)
- return sig
- elif self.tasks and isinstance(self.tasks[-1], chord):
- # CHAIN [last item is chord] -> chain with chord body.
- sig = self.clone()
- sig.tasks[-1].body = sig.tasks[-1].body | other
- return sig
- else:
- # chain | task -> chain
- return _chain(seq_concat_item(
- self.unchain_tasks(), other), app=self._app)
- # task | task -> chain
- return _chain(self, other, app=self._app)
- return NotImplemented
- def election(self):
- type = self.type
- app = type.app
- tid = self.options.get('task_id') or uuid()
- with app.producer_or_acquire(None) as P:
- props = type.backend.on_task_call(P, tid)
- app.control.election(tid, 'task', self.clone(task_id=tid, **props),
- connection=P.connection)
- return type.AsyncResult(tid)
- def reprcall(self, *args, **kwargs):
- args, kwargs, _ = self._merge(args, kwargs, {}, force=True)
- return reprcall(self['task'], args, kwargs)
- def __deepcopy__(self, memo):
- memo[id(self)] = self
- return dict(self)
- def __invert__(self):
- return self.apply_async().get()
- def __reduce__(self):
- # for serialization, the task type is lazily loaded,
- # and not stored in the dict itself.
- return signature, (dict(self),)
- def __json__(self):
- return dict(self)
- def __repr__(self):
- return self.reprcall()
- if JSON_NEEDS_UNICODE_KEYS: # pragma: no cover
- def items(self):
- for k, v in dict.items(self):
- yield k.decode() if isinstance(k, bytes) else k, v
- @property
- def name(self):
- # for duck typing compatibility with Task.name
- return self.task
- @cached_property
- def type(self):
- return self._type or self.app.tasks[self['task']]
- @cached_property
- def app(self):
- return self._app or current_app
- @cached_property
- def AsyncResult(self):
- try:
- return self.type.AsyncResult
- except KeyError: # task not registered
- return self.app.AsyncResult
- @cached_property
- def _apply_async(self):
- try:
- return self.type.apply_async
- except KeyError:
- return _partial(self.app.send_task, self['task'])
- id = getitem_property('options.task_id', 'Task UUID')
- parent_id = getitem_property('options.parent_id', 'Task parent UUID.')
- root_id = getitem_property('options.root_id', 'Task root UUID.')
- task = getitem_property('task', 'Name of task.')
- args = getitem_property('args', 'Positional arguments to task.')
- kwargs = getitem_property('kwargs', 'Keyword arguments to task.')
- options = getitem_property('options', 'Task execution options.')
- subtask_type = getitem_property('subtask_type', 'Type of signature')
- chord_size = getitem_property(
- 'chord_size', 'Size of chord (if applicable)')
- immutable = getitem_property(
- 'immutable', 'Flag set if no longer accepts new arguments')
- @Signature.register_type(name='chain')
- @python_2_unicode_compatible
- class _chain(Signature):
- tasks = getitem_property('kwargs.tasks', 'Tasks in chain.')
- @classmethod
- def from_dict(cls, d, app=None):
- tasks = d['kwargs']['tasks']
- if tasks:
- if isinstance(tasks, tuple): # aaaargh
- tasks = d['kwargs']['tasks'] = list(tasks)
- tasks = [maybe_signature(task, app=app) for task in tasks]
- return _upgrade(d, _chain(tasks, app=app, **d['options']))
- def __init__(self, *tasks, **options):
- tasks = (regen(tasks[0]) if len(tasks) == 1 and is_list(tasks[0])
- else tasks)
- Signature.__init__(
- self, 'celery.chain', (), {'tasks': tasks}, **options
- )
- self._use_link = options.pop('use_link', None)
- self.subtask_type = 'chain'
- self._frozen = None
- def __call__(self, *args, **kwargs):
- if self.tasks:
- return self.apply_async(args, kwargs)
- def clone(self, *args, **kwargs):
- to_signature = maybe_signature
- s = Signature.clone(self, *args, **kwargs)
- s.kwargs['tasks'] = [
- to_signature(sig, app=self._app, clone=True)
- for sig in s.kwargs['tasks']
- ]
- return s
- def unchain_tasks(self):
- # Clone chain's tasks assigning sugnatures from link_error
- # to each task
- tasks = [t.clone() for t in self.tasks]
- for sig in self.options.get('link_error', []):
- for task in tasks:
- task.link_error(sig)
- return tasks
- def apply_async(self, args=(), kwargs={}, **options):
- # python is best at unpacking kwargs, so .run is here to do that.
- app = self.app
- if app.conf.task_always_eager:
- with allow_join_result():
- return self.apply(args, kwargs, **options)
- return self.run(args, kwargs, app=app, **(
- dict(self.options, **options) if options else self.options))
- def run(self, args=(), kwargs={}, group_id=None, chord=None,
- task_id=None, link=None, link_error=None, publisher=None,
- producer=None, root_id=None, parent_id=None, app=None, **options):
- # pylint: disable=redefined-outer-name
- # XXX chord is also a class in outer scope.
- app = app or self.app
- use_link = self._use_link
- if use_link is None and app.conf.task_protocol == 1:
- use_link = True
- args = (tuple(args) + tuple(self.args)
- if args and not self.immutable else self.args)
- tasks, results = self.prepare_steps(
- args, kwargs, self.tasks, root_id, parent_id, link_error, app,
- task_id, group_id, chord,
- )
- if results:
- if link:
- tasks[0].extend_list_option('link', link)
- first_task = tasks.pop()
- # chain option may already be set, resulting in
- # "multiple values for keyword argument 'chain'" error.
- # Issue #3379.
- options['chain'] = tasks if not use_link else None
- first_task.apply_async(**options)
- return results[0]
- def freeze(self, _id=None, group_id=None, chord=None,
- root_id=None, parent_id=None):
- # pylint: disable=redefined-outer-name
- # XXX chord is also a class in outer scope.
- _, results = self._frozen = self.prepare_steps(
- self.args, self.kwargs, self.tasks, root_id, parent_id, None,
- self.app, _id, group_id, chord, clone=False,
- )
- return results[0]
- def prepare_steps(self, args, kwargs, tasks,
- root_id=None, parent_id=None, link_error=None, app=None,
- last_task_id=None, group_id=None, chord_body=None,
- clone=True, from_dict=Signature.from_dict):
- app = app or self.app
- # use chain message field for protocol 2 and later.
- # this avoids pickle blowing the stack on the recursion
- # required by linking task together in a tree structure.
- # (why is pickle using recursion? or better yet why cannot python
- # do tail call optimization making recursion actually useful?)
- use_link = self._use_link
- if use_link is None and app.conf.task_protocol == 1:
- use_link = True
- steps = deque(tasks)
- steps_pop = steps.pop
- steps_extend = steps.extend
- prev_task = None
- prev_res = None
- tasks, results = [], []
- i = 0
- # NOTE: We are doing this in reverse order.
- # The result is a list of tasks in reverse order, that is
- # passed as the ``chain`` message field.
- # As it's reversed the worker can just do ``chain.pop()`` to
- # get the next task in the chain.
- while steps:
- task = steps_pop()
- is_first_task, is_last_task = not steps, not i
- if not isinstance(task, abstract.CallableSignature):
- task = from_dict(task, app=app)
- if isinstance(task, group):
- task = maybe_unroll_group(task)
- # first task gets partial args from chain
- if clone:
- if is_first_task:
- task = task.clone(args, kwargs)
- else:
- task = task.clone()
- elif is_first_task:
- task.args = tuple(args) + tuple(task.args)
- if isinstance(task, _chain):
- # splice the chain
- steps_extend(task.tasks)
- continue
- if isinstance(task, group) and prev_task:
- # automatically upgrade group(...) | s to chord(group, s)
- # for chords we freeze by pretending it's a normal
- # signature instead of a group.
- tasks.pop()
- results.pop()
- task = chord(
- task, body=prev_task,
- task_id=prev_res.task_id, root_id=root_id, app=app,
- )
- if is_last_task:
- # chain(task_id=id) means task id is set for the last task
- # in the chain. If the chord is part of a chord/group
- # then that chord/group must synchronize based on the
- # last task in the chain, so we only set the group_id and
- # chord callback for the last task.
- res = task.freeze(
- last_task_id,
- root_id=root_id, group_id=group_id, chord=chord_body,
- )
- else:
- res = task.freeze(root_id=root_id)
- i += 1
- if prev_task:
- if use_link:
- # link previous task to this task.
- task.link(prev_task)
- if prev_res and not prev_res.parent:
- prev_res.parent = res
- if link_error:
- for errback in maybe_list(link_error):
- task.link_error(errback)
- tasks.append(task)
- results.append(res)
- prev_task, prev_res = task, res
- if isinstance(task, chord):
- app.backend.ensure_chords_allowed()
- # If the task is a chord, and the body is a chain
- # the chain has already been prepared, and res is
- # set to the last task in the callback chain.
- # We need to change that so that it points to the
- # group result object.
- node = res
- while node.parent:
- node = node.parent
- prev_res = node
- return tasks, results
- def apply(self, args=(), kwargs={}, **options):
- last, fargs = None, args
- for task in self.tasks:
- res = task.clone(fargs).apply(
- last and (last.get(),), **dict(self.options, **options))
- res.parent, last, fargs = last, res, None
- return last
- @property
- def app(self):
- app = self._app
- if app is None:
- try:
- app = self.tasks[0]._app
- except LookupError:
- pass
- return app or current_app
- def __repr__(self):
- if not self.tasks:
- return '<{0}@{1:#x}: empty>'.format(
- type(self).__name__, id(self))
- return remove_repeating_from_task(
- self.tasks[0]['task'],
- ' | '.join(repr(t) for t in self.tasks))
- class chain(_chain):
- """Chain tasks together.
- Each tasks follows one another,
- by being applied as a callback of the previous task.
- Note:
- If called with only one argument, then that argument must
- be an iterable of tasks to chain: this allows us
- to use generator expressions.
- Example:
- This is effectively :math:`((2 + 2) + 4)`:
- .. code-block:: pycon
- >>> res = chain(add.s(2, 2), add.s(4))()
- >>> res.get()
- 8
- Calling a chain will return the result of the last task in the chain.
- You can get to the other tasks by following the ``result.parent``'s:
- .. code-block:: pycon
- >>> res.parent.get()
- 4
- Using a generator expression:
- .. code-block:: pycon
- >>> lazy_chain = chain(add.s(i) for i in range(10))
- >>> res = lazy_chain(3)
- Arguments:
- *tasks (Signature): List of task signatures to chain.
- If only one argument is passed and that argument is
- an iterable, then that'll be used as the list of signatures
- to chain instead. This means that you can use a generator
- expression.
- Returns:
- ~celery.chain: A lazy signature that can be called to apply the first
- task in the chain. When that task succeeed the next task in the
- chain is applied, and so on.
- """
- # could be function, but must be able to reference as :class:`chain`.
- def __new__(cls, *tasks, **kwargs):
- # This forces `chain(X, Y, Z)` to work the same way as `X | Y | Z`
- if not kwargs and tasks:
- if len(tasks) != 1 or is_list(tasks[0]):
- tasks = tasks[0] if len(tasks) == 1 else tasks
- return reduce(operator.or_, tasks)
- return super(chain, cls).__new__(cls, *tasks, **kwargs)
- class _basemap(Signature):
- _task_name = None
- _unpack_args = itemgetter('task', 'it')
- @classmethod
- def from_dict(cls, d, app=None):
- return _upgrade(
- d, cls(*cls._unpack_args(d['kwargs']), app=app, **d['options']),
- )
- def __init__(self, task, it, **options):
- Signature.__init__(
- self, self._task_name, (),
- {'task': task, 'it': regen(it)}, immutable=True, **options
- )
- def apply_async(self, args=(), kwargs={}, **opts):
- # need to evaluate generators
- task, it = self._unpack_args(self.kwargs)
- return self.type.apply_async(
- (), {'task': task, 'it': list(it)},
- route_name=task_name_from(self.kwargs.get('task')), **opts
- )
- @Signature.register_type()
- @python_2_unicode_compatible
- class xmap(_basemap):
- """Map operation for tasks.
- Note:
- Tasks executed sequentially in process, this is not a
- parallel operation like :class:`group`.
- """
- _task_name = 'celery.map'
- def __repr__(self):
- task, it = self._unpack_args(self.kwargs)
- return '[{0}(x) for x in {1}]'.format(
- task.task, truncate(repr(it), 100))
- @Signature.register_type()
- @python_2_unicode_compatible
- class xstarmap(_basemap):
- """Map operation for tasks, using star arguments."""
- _task_name = 'celery.starmap'
- def __repr__(self):
- task, it = self._unpack_args(self.kwargs)
- return '[{0}(*x) for x in {1}]'.format(
- task.task, truncate(repr(it), 100))
- @Signature.register_type()
- class chunks(Signature):
- """Partition of tasks in n chunks."""
- _unpack_args = itemgetter('task', 'it', 'n')
- @classmethod
- def from_dict(cls, d, app=None):
- return _upgrade(
- d, chunks(*cls._unpack_args(
- d['kwargs']), app=app, **d['options']),
- )
- def __init__(self, task, it, n, **options):
- Signature.__init__(
- self, 'celery.chunks', (),
- {'task': task, 'it': regen(it), 'n': n},
- immutable=True, **options
- )
- def __call__(self, **options):
- return self.apply_async(**options)
- def apply_async(self, args=(), kwargs={}, **opts):
- return self.group().apply_async(
- args, kwargs,
- route_name=task_name_from(self.kwargs.get('task')), **opts
- )
- def group(self):
- # need to evaluate generators
- task, it, n = self._unpack_args(self.kwargs)
- return group((xstarmap(task, part, app=self._app)
- for part in _chunks(iter(it), n)),
- app=self._app)
- @classmethod
- def apply_chunks(cls, task, it, n, app=None):
- return cls(task, it, n, app=app)()
- def _maybe_group(tasks, app):
- if isinstance(tasks, dict):
- tasks = signature(tasks, app=app)
- if isinstance(tasks, (group, _chain)):
- tasks = tasks.tasks
- elif isinstance(tasks, abstract.CallableSignature):
- tasks = [tasks]
- else:
- tasks = [signature(t, app=app) for t in tasks]
- return tasks
- @Signature.register_type()
- @python_2_unicode_compatible
- class group(Signature):
- """Creates a group of tasks to be executed in parallel.
- A group is lazy so you must call it to take action and evaluate
- the group.
- Note:
- If only one argument is passed, and that argument is an iterable
- then that'll be used as the list of tasks instead: this
- allows us to use ``group`` with generator expressions.
- Example:
- >>> lazy_group = group([add.s(2, 2), add.s(4, 4)])
- >>> promise = lazy_group() # <-- evaluate: returns lazy result.
- >>> promise.get() # <-- will wait for the task to return
- [4, 8]
- Arguments:
- *tasks (List[Signature]): A list of signatures that this group will
- call. If there's only one argument, and that argument is an
- iterable, then that'll define the list of signatures instead.
- **options (Any): Execution options applied to all tasks
- in the group.
- Returns:
- ~celery.group: signature that when called will then call all of the
- tasks in the group (and return a :class:`GroupResult` instance
- that can be used to inspect the state of the group).
- """
- tasks = getitem_property('kwargs.tasks', 'Tasks in group.')
- @classmethod
- def from_dict(cls, d, app=None):
- return _upgrade(
- d, group(d['kwargs']['tasks'], app=app, **d['options']),
- )
- def __init__(self, *tasks, **options):
- if len(tasks) == 1:
- tasks = tasks[0]
- if isinstance(tasks, group):
- tasks = tasks.tasks
- if isinstance(tasks, abstract.CallableSignature):
- tasks = [tasks.clone()]
- if not isinstance(tasks, _regen):
- tasks = regen(tasks)
- Signature.__init__(
- self, 'celery.group', (), {'tasks': tasks}, **options
- )
- self.subtask_type = 'group'
- def __call__(self, *partial_args, **options):
- return self.apply_async(partial_args, **options)
- def skew(self, start=1.0, stop=None, step=1.0):
- it = fxrange(start, stop, step, repeatlast=True)
- for task in self.tasks:
- task.set(countdown=next(it))
- return self
- def apply_async(self, args=(), kwargs=None, add_to_parent=True,
- producer=None, link=None, link_error=None, **options):
- if link is not None:
- raise TypeError('Cannot add link to group: use a chord')
- if link_error is not None:
- raise TypeError(
- 'Cannot add link to group: do that on individual tasks')
- app = self.app
- if app.conf.task_always_eager:
- return self.apply(args, kwargs, **options)
- if not self.tasks:
- return self.freeze()
- options, group_id, root_id = self._freeze_gid(options)
- tasks = self._prepared(self.tasks, [], group_id, root_id, app)
- p = barrier()
- results = list(self._apply_tasks(tasks, producer, app, p,
- args=args, kwargs=kwargs, **options))
- result = self.app.GroupResult(group_id, results, ready_barrier=p)
- p.finalize()
- # - Special case of group(A.s() | group(B.s(), C.s()))
- # That is, group with single item that's a chain but the
- # last task in that chain is a group.
- #
- # We cannot actually support arbitrary GroupResults in chains,
- # but this special case we can.
- if len(result) == 1 and isinstance(result[0], GroupResult):
- result = result[0]
- parent_task = app.current_worker_task
- if add_to_parent and parent_task:
- parent_task.add_trail(result)
- return result
- def apply(self, args=(), kwargs={}, **options):
- app = self.app
- if not self.tasks:
- return self.freeze() # empty group returns GroupResult
- options, group_id, root_id = self._freeze_gid(options)
- tasks = self._prepared(self.tasks, [], group_id, root_id, app)
- return app.GroupResult(group_id, [
- sig.apply(args=args, kwargs=kwargs, **options) for sig, _ in tasks
- ])
- def set_immutable(self, immutable):
- for task in self.tasks:
- task.set_immutable(immutable)
- def link(self, sig):
- # Simply link to first task
- sig = sig.clone().set(immutable=True)
- return self.tasks[0].link(sig)
- def link_error(self, sig):
- sig = sig.clone().set(immutable=True)
- return self.tasks[0].link_error(sig)
- def _prepared(self, tasks, partial_args, group_id, root_id, app,
- CallableSignature=abstract.CallableSignature,
- from_dict=Signature.from_dict,
- isinstance=isinstance, tuple=tuple):
- for task in tasks:
- if isinstance(task, CallableSignature):
- # local sigs are always of type Signature, and we
- # clone them to make sure we don't modify the originals.
- task = task.clone()
- else:
- # serialized sigs must be converted to Signature.
- task = from_dict(task, app=app)
- if isinstance(task, group):
- # needs yield_from :(
- unroll = task._prepared(
- task.tasks, partial_args, group_id, root_id, app,
- )
- for taskN, resN in unroll:
- yield taskN, resN
- else:
- if partial_args and not task.immutable:
- task.args = tuple(partial_args) + tuple(task.args)
- yield task, task.freeze(group_id=group_id, root_id=root_id)
- def _apply_tasks(self, tasks, producer=None, app=None, p=None,
- add_to_parent=None, chord=None,
- args=None, kwargs=None, **options):
- # pylint: disable=redefined-outer-name
- # XXX chord is also a class in outer scope.
- app = app or self.app
- with app.producer_or_acquire(producer) as producer:
- for sig, res in tasks:
- sig.apply_async(producer=producer, add_to_parent=False,
- chord=sig.options.get('chord') or chord,
- args=args, kwargs=kwargs,
- **options)
- # adding callback to result, such that it will gradually
- # fulfill the barrier.
- #
- # Using barrier.add would use result.then, but we need
- # to add the weak argument here to only create a weak
- # reference to the object.
- if p and not p.cancelled and not p.ready:
- p.size += 1
- res.then(p, weak=True)
- yield res # <-- r.parent, etc set in the frozen result.
- def _freeze_gid(self, options):
- # remove task_id and use that as the group_id,
- # if we don't remove it then every task will have the same id...
- options = dict(self.options, **options)
- options['group_id'] = group_id = (
- options.pop('task_id', uuid()))
- return options, group_id, options.get('root_id')
- def freeze(self, _id=None, group_id=None, chord=None,
- root_id=None, parent_id=None):
- # pylint: disable=redefined-outer-name
- # XXX chord is also a class in outer scope.
- opts = self.options
- try:
- gid = opts['task_id']
- except KeyError:
- gid = opts['task_id'] = uuid()
- if group_id:
- opts['group_id'] = group_id
- if chord:
- opts['chord'] = chord
- root_id = opts.setdefault('root_id', root_id)
- parent_id = opts.setdefault('parent_id', parent_id)
- new_tasks = []
- # Need to unroll subgroups early so that chord gets the
- # right result instance for chord_unlock etc.
- results = list(self._freeze_unroll(
- new_tasks, group_id, chord, root_id, parent_id,
- ))
- if isinstance(self.tasks, MutableSequence):
- self.tasks[:] = new_tasks
- else:
- self.tasks = new_tasks
- return self.app.GroupResult(gid, results)
- _freeze = freeze
- def _freeze_unroll(self, new_tasks, group_id, chord, root_id, parent_id):
- # pylint: disable=redefined-outer-name
- # XXX chord is also a class in outer scope.
- stack = deque(self.tasks)
- while stack:
- task = maybe_signature(stack.popleft(), app=self._app).clone()
- if isinstance(task, group):
- stack.extendleft(task.tasks)
- else:
- new_tasks.append(task)
- yield task.freeze(group_id=group_id,
- chord=chord, root_id=root_id,
- parent_id=parent_id)
- def __repr__(self):
- if self.tasks:
- return remove_repeating_from_task(
- self.tasks[0]['task'],
- 'group({0.tasks!r})'.format(self))
- return 'group(<empty>)'
- def __len__(self):
- return len(self.tasks)
- @property
- def app(self):
- app = self._app
- if app is None:
- try:
- app = self.tasks[0].app
- except LookupError:
- pass
- return app if app is not None else current_app
- @Signature.register_type()
- @python_2_unicode_compatible
- class chord(Signature):
- r"""Barrier synchronization primitive.
- A chord consists of a header and a body.
- The header is a group of tasks that must complete before the callback is
- called. A chord is essentially a callback for a group of tasks.
- The body is applied with the return values of all the header
- tasks as a list.
- Example:
- The chord:
- .. code-block:: pycon
- >>> res = chord([add.s(2, 2), add.s(4, 4)])(sum_task.s())
- is effectively :math:`\Sigma ((2 + 2) + (4 + 4))`:
- .. code-block:: pycon
- >>> res.get()
- 12
- """
- @classmethod
- def from_dict(cls, d, app=None):
- options = d.copy()
- args, options['kwargs'] = cls._unpack_args(**options['kwargs'])
- return _upgrade(d, cls(*args, app=app, **options))
- @staticmethod
- def _unpack_args(header=None, body=None, **kwargs):
- # Python signatures are better at extracting keys from dicts
- # than manually popping things off.
- return (header, body), kwargs
- def __init__(self, header, body=None, task='celery.chord',
- args=(), kwargs={}, app=None, **options):
- Signature.__init__(
- self, task, args,
- {'kwargs': kwargs, 'header': _maybe_group(header, app),
- 'body': maybe_signature(body, app=app)}, app=app, **options
- )
- self.subtask_type = 'chord'
- def __call__(self, body=None, **options):
- return self.apply_async((), {'body': body} if body else {}, **options)
- def freeze(self, _id=None, group_id=None, chord=None,
- root_id=None, parent_id=None):
- # pylint: disable=redefined-outer-name
- # XXX chord is also a class in outer scope.
- if not isinstance(self.tasks, group):
- self.tasks = group(self.tasks, app=self.app)
- header_result = self.tasks.freeze(
- parent_id=parent_id, root_id=root_id, chord=self.body)
- bodyres = self.body.freeze(_id, root_id=root_id)
- # we need to link the body result back to the group result,
- # but the body may actually be a chain,
- # so find the first result without a parent
- node = bodyres
- seen = set()
- while node:
- if node.id in seen:
- raise RuntimeError('Recursive result parents')
- seen.add(node.id)
- if node.parent is None:
- node.parent = header_result
- break
- node = node.parent
- self.id = self.tasks.id
- return bodyres
- def apply_async(self, args=(), kwargs={}, task_id=None,
- producer=None, publisher=None, connection=None,
- router=None, result_cls=None, **options):
- kwargs = kwargs or {}
- args = (tuple(args) + tuple(self.args)
- if args and not self.immutable else self.args)
- body = kwargs.pop('body', None) or self.kwargs['body']
- kwargs = dict(self.kwargs['kwargs'], **kwargs)
- body = body.clone(**options)
- app = self._get_app(body)
- tasks = (self.tasks.clone() if isinstance(self.tasks, group)
- else group(self.tasks, app=app))
- if app.conf.task_always_eager:
- return self.apply(args, kwargs,
- body=body, task_id=task_id, **options)
- # chord([A, B, ...], C)
- return self.run(tasks, body, args, task_id=task_id, **options)
- def apply(self, args=(), kwargs={}, propagate=True, body=None, **options):
- body = self.body if body is None else body
- tasks = (self.tasks.clone() if isinstance(self.tasks, group)
- else group(self.tasks, app=self.app))
- return body.apply(
- args=(tasks.apply(args, kwargs).get(propagate=propagate),),
- )
- def _traverse_tasks(self, tasks, value=None):
- stack = deque(tasks)
- while stack:
- task = stack.popleft()
- if isinstance(task, group):
- stack.extend(task.tasks)
- else:
- yield task if value is None else value
- def __length_hint__(self):
- tasks = (self.tasks.tasks if isinstance(self.tasks, group)
- else self.tasks)
- return sum(self._traverse_tasks(tasks, 1))
- def run(self, header, body, partial_args, app=None, interval=None,
- countdown=1, max_retries=None, eager=False,
- task_id=None, **options):
- app = app or self._get_app(body)
- group_id = header.options.get('task_id') or uuid()
- root_id = body.options.get('root_id')
- body.chord_size = self.__length_hint__()
- options = dict(self.options, **options) if options else self.options
- if options:
- options.pop('task_id', None)
- body.options.update(options)
- bodyres = body.freeze(task_id, root_id=root_id)
- # Chains should not be passed to the header tasks. See #3771
- options.pop('chain', None)
- # Neither should chords, for deeply nested chords to work
- options.pop('chord', None)
- options.pop('task_id', None)
- header.freeze(group_id=group_id, chord=body, root_id=root_id)
- header_result = header(*partial_args, task_id=group_id, **options)
- if len(header_result) > 0:
- app.backend.apply_chord(
- header_result,
- body,
- interval=interval,
- countdown=countdown,
- max_retries=max_retries,
- )
- # The execution of a chord body is normally triggered by its header's
- # tasks completing. If the header is empty this will never happen, so
- # we execute the body manually here.
- else:
- body.delay([])
- bodyres.parent = header_result
- return bodyres
- def clone(self, *args, **kwargs):
- s = Signature.clone(self, *args, **kwargs)
- # need to make copy of body
- try:
- s.kwargs['body'] = maybe_signature(s.kwargs['body'], clone=True)
- except (AttributeError, KeyError):
- pass
- return s
- def link(self, callback):
- self.body.link(callback)
- return callback
- def link_error(self, errback):
- self.body.link_error(errback)
- return errback
- def set_immutable(self, immutable):
- # changes mutability of header only, not callback.
- for task in self.tasks:
- task.set_immutable(immutable)
- def __repr__(self):
- if self.body:
- if isinstance(self.body, _chain):
- return remove_repeating_from_task(
- self.body.tasks[0]['task'],
- '%({0} | {1!r})'.format(
- self.body.tasks[0].reprcall(self.tasks),
- chain(self.body.tasks[1:], app=self._app),
- ),
- )
- return '%' + remove_repeating_from_task(
- self.body['task'], self.body.reprcall(self.tasks))
- return '<chord without body: {0.tasks!r}>'.format(self)
- @cached_property
- def app(self):
- return self._get_app(self.body)
- def _get_app(self, body=None):
- app = self._app
- if app is None:
- try:
- tasks = self.tasks.tasks # is a group
- except AttributeError:
- tasks = self.tasks
- if len(tasks):
- app = tasks[0]._app
- if app is None and body is not None:
- app = body._app
- return app if app is not None else current_app
- tasks = getitem_property('kwargs.header', 'Tasks in chord header.')
- body = getitem_property('kwargs.body', 'Body task of chord.')
- def signature(varies, *args, **kwargs):
- """Create new signature.
- - if the first argument is a signature already then it's cloned.
- - if the first argument is a dict, then a Signature version is returned.
- Returns:
- Signature: The resulting signature.
- """
- app = kwargs.get('app')
- if isinstance(varies, dict):
- if isinstance(varies, abstract.CallableSignature):
- return varies.clone()
- return Signature.from_dict(varies, app=app)
- return Signature(varies, *args, **kwargs)
- subtask = signature # noqa: E305 XXX compat
- def maybe_signature(d, app=None, clone=False):
- """Ensure obj is a signature, or None.
- Arguments:
- d (Optional[Union[abstract.CallableSignature, Mapping]]):
- Signature or dict-serialized signature.
- app (celery.Celery):
- App to bind signature to.
- clone (bool):
- If d' is already a signature, the signature
- will be cloned when this flag is enabled.
- Returns:
- Optional[abstract.CallableSignature]
- """
- if d is not None:
- if isinstance(d, abstract.CallableSignature):
- if clone:
- d = d.clone()
- elif isinstance(d, dict):
- d = signature(d)
- if app is not None:
- d._app = app
- return d
- maybe_subtask = maybe_signature # noqa: E305 XXX compat
|