canvas.py 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614
  1. # -*- coding: utf-8 -*-
  2. """
  3. celery.canvas
  4. ~~~~~~~~~~~~~
  5. Composing task workflows.
  6. Documentation for some of these types are in :mod:`celery`.
  7. You should import these from :mod:`celery` and not this module.
  8. """
  9. from __future__ import absolute_import
  10. from copy import deepcopy
  11. from functools import partial as _partial, reduce
  12. from operator import itemgetter
  13. from itertools import chain as _chain
  14. from kombu.utils import cached_property, fxrange, kwdict, reprcall, uuid
  15. from celery._state import current_app
  16. from celery.utils.functional import (
  17. maybe_list, is_list, regen,
  18. chunks as _chunks,
  19. )
  20. from celery.utils.text import truncate
  21. __all__ = ['Signature', 'chain', 'xmap', 'xstarmap', 'chunks',
  22. 'group', 'chord', 'signature', 'maybe_signature']
  23. class _getitem_property(object):
  24. """Attribute -> dict key descriptor.
  25. The target object must support ``__getitem__``,
  26. and optionally ``__setitem__``.
  27. Example:
  28. >>> from collections import defaultdict
  29. >>> class Me(dict):
  30. ... deep = defaultdict(dict)
  31. ...
  32. ... foo = _getitem_property('foo')
  33. ... deep_thing = _getitem_property('deep.thing')
  34. >>> me = Me()
  35. >>> me.foo
  36. None
  37. >>> me.foo = 10
  38. >>> me.foo
  39. 10
  40. >>> me['foo']
  41. 10
  42. >>> me.deep_thing = 42
  43. >>> me.deep_thing
  44. 42
  45. >>> me.deep
  46. defaultdict(<type 'dict'>, {'thing': 42})
  47. """
  48. def __init__(self, keypath):
  49. path, _, self.key = keypath.rpartition('.')
  50. self.path = path.split('.') if path else None
  51. def _path(self, obj):
  52. return (reduce(lambda d, k: d[k], [obj] + self.path) if self.path
  53. else obj)
  54. def __get__(self, obj, type=None):
  55. if obj is None:
  56. return type
  57. return self._path(obj).get(self.key)
  58. def __set__(self, obj, value):
  59. self._path(obj)[self.key] = value
  60. class Signature(dict):
  61. """Class that wraps the arguments and execution options
  62. for a single task invocation.
  63. Used as the parts in a :class:`group` and other constructs,
  64. or to pass tasks around as callbacks while being compatible
  65. with serializers with a strict type subset.
  66. :param task: Either a task class/instance, or the name of a task.
  67. :keyword args: Positional arguments to apply.
  68. :keyword kwargs: Keyword arguments to apply.
  69. :keyword options: Additional options to :meth:`Task.apply_async`.
  70. Note that if the first argument is a :class:`dict`, the other
  71. arguments will be ignored and the values in the dict will be used
  72. instead.
  73. >>> s = signature('tasks.add', args=(2, 2))
  74. >>> signature(s)
  75. {'task': 'tasks.add', args=(2, 2), kwargs={}, options={}}
  76. """
  77. TYPES = {}
  78. _app = _type = None
  79. @classmethod
  80. def register_type(cls, subclass, name=None):
  81. cls.TYPES[name or subclass.__name__] = subclass
  82. return subclass
  83. @classmethod
  84. def from_dict(self, d, app=None):
  85. typ = d.get('subtask_type')
  86. if typ:
  87. return self.TYPES[typ].from_dict(kwdict(d), app=app)
  88. return Signature(d, app=app)
  89. def __init__(self, task=None, args=None, kwargs=None, options=None,
  90. type=None, subtask_type=None, immutable=False,
  91. app=None, **ex):
  92. self._app = app
  93. init = dict.__init__
  94. if isinstance(task, dict):
  95. return init(self, task) # works like dict(d)
  96. # Also supports using task class/instance instead of string name.
  97. try:
  98. task_name = task.name
  99. except AttributeError:
  100. task_name = task
  101. else:
  102. self._type = task
  103. init(self,
  104. task=task_name, args=tuple(args or ()),
  105. kwargs=kwargs or {},
  106. options=dict(options or {}, **ex),
  107. subtask_type=subtask_type,
  108. immutable=immutable)
  109. def __call__(self, *partial_args, **partial_kwargs):
  110. args, kwargs, _ = self._merge(partial_args, partial_kwargs, None)
  111. return self.type(*args, **kwargs)
  112. def delay(self, *partial_args, **partial_kwargs):
  113. return self.apply_async(partial_args, partial_kwargs)
  114. def apply(self, args=(), kwargs={}, **options):
  115. """Apply this task locally."""
  116. # For callbacks: extra args are prepended to the stored args.
  117. args, kwargs, options = self._merge(args, kwargs, options)
  118. return self.type.apply(args, kwargs, **options)
  119. def _merge(self, args=(), kwargs={}, options={}):
  120. if self.immutable:
  121. return (self.args, self.kwargs,
  122. dict(self.options, **options) if options else self.options)
  123. return (tuple(args) + tuple(self.args) if args else self.args,
  124. dict(self.kwargs, **kwargs) if kwargs else self.kwargs,
  125. dict(self.options, **options) if options else self.options)
  126. def clone(self, args=(), kwargs={}, **opts):
  127. # need to deepcopy options so origins links etc. is not modified.
  128. if args or kwargs or opts:
  129. args, kwargs, opts = self._merge(args, kwargs, opts)
  130. else:
  131. args, kwargs, opts = self.args, self.kwargs, self.options
  132. s = Signature.from_dict({'task': self.task, 'args': tuple(args),
  133. 'kwargs': kwargs, 'options': deepcopy(opts),
  134. 'subtask_type': self.subtask_type,
  135. 'immutable': self.immutable}, app=self._app)
  136. s._type = self._type
  137. return s
  138. partial = clone
  139. def freeze(self, _id=None):
  140. opts = self.options
  141. try:
  142. tid = opts['task_id']
  143. except KeyError:
  144. tid = opts['task_id'] = _id or uuid()
  145. if 'reply_to' not in opts:
  146. opts['reply_to'] = self.app.oid
  147. return self.AsyncResult(tid)
  148. _freeze = freeze
  149. def replace(self, args=None, kwargs=None, options=None):
  150. s = self.clone()
  151. if args is not None:
  152. s.args = args
  153. if kwargs is not None:
  154. s.kwargs = kwargs
  155. if options is not None:
  156. s.options = options
  157. return s
  158. def set(self, immutable=None, **options):
  159. if immutable is not None:
  160. self.set_immutable(immutable)
  161. self.options.update(options)
  162. return self
  163. def set_immutable(self, immutable):
  164. self.immutable = immutable
  165. def apply_async(self, args=(), kwargs={}, **options):
  166. try:
  167. _apply = self._apply_async
  168. except IndexError: # no tasks for chain, etc to find type
  169. return
  170. # For callbacks: extra args are prepended to the stored args.
  171. if args or kwargs or options:
  172. args, kwargs, options = self._merge(args, kwargs, options)
  173. else:
  174. args, kwargs, options = self.args, self.kwargs, self.options
  175. return _apply(args, kwargs, **options)
  176. def append_to_list_option(self, key, value):
  177. items = self.options.setdefault(key, [])
  178. if value not in items:
  179. items.append(value)
  180. return value
  181. def link(self, callback):
  182. return self.append_to_list_option('link', callback)
  183. def link_error(self, errback):
  184. return self.append_to_list_option('link_error', errback)
  185. def flatten_links(self):
  186. return list(_chain.from_iterable(_chain(
  187. [[self]],
  188. (link.flatten_links()
  189. for link in maybe_list(self.options.get('link')) or [])
  190. )))
  191. def __or__(self, other):
  192. if not isinstance(self, chain) and isinstance(other, chain):
  193. return chain((self, ) + other.tasks, app=self._app)
  194. elif isinstance(other, chain):
  195. return chain(*self.tasks + other.tasks, app=self._app)
  196. elif isinstance(other, Signature):
  197. if isinstance(self, chain):
  198. return chain(*self.tasks + (other, ), app=self._app)
  199. return chain(self, other, app=self._app)
  200. return NotImplemented
  201. def __deepcopy__(self, memo):
  202. memo[id(self)] = self
  203. return dict(self)
  204. def __invert__(self):
  205. return self.apply_async().get()
  206. def __reduce__(self):
  207. # for serialization, the task type is lazily loaded,
  208. # and not stored in the dict itself.
  209. return subtask, (dict(self), )
  210. def reprcall(self, *args, **kwargs):
  211. args, kwargs, _ = self._merge(args, kwargs, {})
  212. return reprcall(self['task'], args, kwargs)
  213. def election(self):
  214. type = self.type
  215. app = type.app
  216. tid = self.options.get('task_id') or uuid()
  217. with app.producer_or_acquire(None) as P:
  218. props = type.backend.on_task_call(P, tid)
  219. app.control.election(tid, 'task', self.clone(task_id=tid, **props),
  220. connection=P.connection)
  221. return type.AsyncResult(tid)
  222. def __repr__(self):
  223. return self.reprcall()
  224. @cached_property
  225. def type(self):
  226. return self._type or self.app.tasks[self['task']]
  227. @cached_property
  228. def app(self):
  229. return self._app or current_app
  230. @cached_property
  231. def AsyncResult(self):
  232. try:
  233. return self.type.AsyncResult
  234. except KeyError: # task not registered
  235. return self.app.AsyncResult
  236. @cached_property
  237. def _apply_async(self):
  238. try:
  239. return self.type.apply_async
  240. except KeyError:
  241. return _partial(self.app.send_task, self['task'])
  242. id = _getitem_property('options.task_id')
  243. task = _getitem_property('task')
  244. args = _getitem_property('args')
  245. kwargs = _getitem_property('kwargs')
  246. options = _getitem_property('options')
  247. subtask_type = _getitem_property('subtask_type')
  248. immutable = _getitem_property('immutable')
  249. @Signature.register_type
  250. class chain(Signature):
  251. def __init__(self, *tasks, **options):
  252. tasks = (regen(tasks[0]) if len(tasks) == 1 and is_list(tasks[0])
  253. else tasks)
  254. Signature.__init__(
  255. self, 'celery.chain', (), {'tasks': tasks}, **options
  256. )
  257. self.tasks = tasks
  258. self.subtask_type = 'chain'
  259. def __call__(self, *args, **kwargs):
  260. if self.tasks:
  261. return self.apply_async(args, kwargs)
  262. @classmethod
  263. def from_dict(self, d, app=None):
  264. tasks = d['kwargs']['tasks']
  265. if d['args'] and tasks:
  266. # partial args passed on to first task in chain (Issue #1057).
  267. tasks[0]['args'] = tasks[0]._merge(d['args'])[0]
  268. return chain(*d['kwargs']['tasks'], app=app, **kwdict(d['options']))
  269. @property
  270. def type(self):
  271. try:
  272. return self._type or self.tasks[0].type.app.tasks['celery.chain']
  273. except KeyError:
  274. return self.app.tasks['celery.chain']
  275. def __repr__(self):
  276. return ' | '.join(repr(t) for t in self.tasks)
  277. class _basemap(Signature):
  278. _task_name = None
  279. _unpack_args = itemgetter('task', 'it')
  280. def __init__(self, task, it, **options):
  281. Signature.__init__(
  282. self, self._task_name, (),
  283. {'task': task, 'it': regen(it)}, immutable=True, **options
  284. )
  285. def apply_async(self, args=(), kwargs={}, **opts):
  286. # need to evaluate generators
  287. task, it = self._unpack_args(self.kwargs)
  288. return self.type.apply_async(
  289. (), {'task': task, 'it': list(it)}, **opts
  290. )
  291. @classmethod
  292. def from_dict(cls, d, app=None):
  293. return cls(*cls._unpack_args(d['kwargs']), app=app, **d['options'])
  294. @Signature.register_type
  295. class xmap(_basemap):
  296. _task_name = 'celery.map'
  297. def __repr__(self):
  298. task, it = self._unpack_args(self.kwargs)
  299. return '[{0}(x) for x in {1}]'.format(task.task,
  300. truncate(repr(it), 100))
  301. @Signature.register_type
  302. class xstarmap(_basemap):
  303. _task_name = 'celery.starmap'
  304. def __repr__(self):
  305. task, it = self._unpack_args(self.kwargs)
  306. return '[{0}(*x) for x in {1}]'.format(task.task,
  307. truncate(repr(it), 100))
  308. @Signature.register_type
  309. class chunks(Signature):
  310. _unpack_args = itemgetter('task', 'it', 'n')
  311. def __init__(self, task, it, n, **options):
  312. Signature.__init__(
  313. self, 'celery.chunks', (),
  314. {'task': task, 'it': regen(it), 'n': n},
  315. immutable=True, **options
  316. )
  317. @classmethod
  318. def from_dict(self, d, app=None):
  319. return chunks(*self._unpack_args(d['kwargs']), app=app, **d['options'])
  320. def apply_async(self, args=(), kwargs={}, **opts):
  321. return self.group().apply_async(args, kwargs, **opts)
  322. def __call__(self, **options):
  323. return self.group()(**options)
  324. def group(self):
  325. # need to evaluate generators
  326. task, it, n = self._unpack_args(self.kwargs)
  327. return group((xstarmap(task, part, app=self._app)
  328. for part in _chunks(iter(it), n)),
  329. app=self._app)
  330. @classmethod
  331. def apply_chunks(cls, task, it, n, app=None):
  332. return cls(task, it, n, app=app)()
  333. def _maybe_group(tasks):
  334. if isinstance(tasks, group):
  335. tasks = list(tasks.tasks)
  336. elif isinstance(tasks, Signature):
  337. tasks = [tasks]
  338. else:
  339. tasks = regen(tasks)
  340. return tasks
  341. def _maybe_clone(tasks, app):
  342. return [s.clone() if isinstance(s, Signature) else signature(s, app=app)
  343. for s in tasks]
  344. @Signature.register_type
  345. class group(Signature):
  346. def __init__(self, *tasks, **options):
  347. if len(tasks) == 1:
  348. tasks = _maybe_group(tasks[0])
  349. Signature.__init__(
  350. self, 'celery.group', (), {'tasks': tasks}, **options
  351. )
  352. self.tasks, self.subtask_type = tasks, 'group'
  353. @classmethod
  354. def from_dict(self, d, app=None):
  355. tasks = d['kwargs']['tasks']
  356. if d['args'] and tasks:
  357. # partial args passed on to all tasks in the group (Issue #1057).
  358. for task in tasks:
  359. task['args'] = task._merge(d['args'])[0]
  360. return group(tasks, app=app, **kwdict(d['options']))
  361. def apply_async(self, args=(), kwargs=None, **options):
  362. tasks = _maybe_clone(self.tasks, app=self._app)
  363. if not tasks:
  364. return self.freeze()
  365. # taking the app from the first task in the list,
  366. # there may be a better solution to this, e.g.
  367. # consolidate tasks with the same app and apply them in
  368. # batches.
  369. type = tasks[0].type.app.tasks[self['task']]
  370. return type(*type.prepare(dict(self.options, **options),
  371. tasks, args))
  372. def set_immutable(self, immutable):
  373. for task in self.tasks:
  374. task.set_immutable(immutable)
  375. def link(self, sig):
  376. # Simply link to first task
  377. sig = sig.clone().set(immutable=True)
  378. return self.tasks[0].link(sig)
  379. def link_error(self, sig):
  380. sig = sig.clone().set(immutable=True)
  381. return self.tasks[0].link_error(sig)
  382. def apply(self, *args, **kwargs):
  383. if not self.tasks:
  384. return self.freeze() # empty group returns GroupResult
  385. return Signature.apply(self, *args, **kwargs)
  386. def __call__(self, *partial_args, **options):
  387. return self.apply_async(partial_args, **options)
  388. def freeze(self, _id=None):
  389. opts = self.options
  390. try:
  391. gid = opts['task_id']
  392. except KeyError:
  393. gid = opts['task_id'] = uuid()
  394. new_tasks, results = [], []
  395. for task in self.tasks:
  396. task = maybe_signature(task, app=self._app).clone()
  397. results.append(task._freeze())
  398. new_tasks.append(task)
  399. self.tasks = self.kwargs['tasks'] = new_tasks
  400. return self.app.GroupResult(gid, results)
  401. _freeze = freeze
  402. def skew(self, start=1.0, stop=None, step=1.0):
  403. it = fxrange(start, stop, step, repeatlast=True)
  404. for task in self.tasks:
  405. task.set(countdown=next(it))
  406. return self
  407. def __iter__(self):
  408. return iter(self.tasks)
  409. def __repr__(self):
  410. return repr(self.tasks)
  411. @property
  412. def type(self):
  413. return self._type or self.tasks[0].type.app.tasks[self['task']]
  414. @Signature.register_type
  415. class chord(Signature):
  416. def __init__(self, header, body=None, task='celery.chord',
  417. args=(), kwargs={}, **options):
  418. Signature.__init__(
  419. self, task, args,
  420. dict(kwargs, header=_maybe_group(header),
  421. body=maybe_signature(body, app=self._app)), **options
  422. )
  423. self.subtask_type = 'chord'
  424. @classmethod
  425. def from_dict(self, d, app=None):
  426. args, d['kwargs'] = self._unpack_args(**kwdict(d['kwargs']))
  427. return self(*args, app=app, **kwdict(d))
  428. @staticmethod
  429. def _unpack_args(header=None, body=None, **kwargs):
  430. # Python signatures are better at extracting keys from dicts
  431. # than manually popping things off.
  432. return (header, body), kwargs
  433. @property
  434. def type(self):
  435. return self._type or self.tasks[0].type.app.tasks['celery.chord']
  436. def apply_async(self, args=(), kwargs={}, task_id=None, **options):
  437. body = kwargs.get('body') or self.kwargs['body']
  438. kwargs = dict(self.kwargs, **kwargs)
  439. body = body.clone(**options)
  440. _chord = self._type or body.type.app.tasks['celery.chord']
  441. if _chord.app.conf.CELERY_ALWAYS_EAGER:
  442. return self.apply((), kwargs, task_id=task_id, **options)
  443. res = body.freeze(task_id)
  444. parent = _chord(self.tasks, body, args, **options)
  445. res.parent = parent
  446. return res
  447. def __call__(self, body=None, **options):
  448. return self.apply_async((), {'body': body} if body else {}, **options)
  449. def clone(self, *args, **kwargs):
  450. s = Signature.clone(self, *args, **kwargs)
  451. # need to make copy of body
  452. try:
  453. s.kwargs['body'] = s.kwargs['body'].clone()
  454. except (AttributeError, KeyError):
  455. pass
  456. return s
  457. def link(self, callback):
  458. self.body.link(callback)
  459. return callback
  460. def link_error(self, errback):
  461. self.body.link_error(errback)
  462. return errback
  463. def set_immutable(self, immutable):
  464. # changes mutability of header only, not callback.
  465. for task in self.tasks:
  466. task.set_immutable(immutable)
  467. def __repr__(self):
  468. if self.body:
  469. return self.body.reprcall(self.tasks)
  470. return '<chord without body: {0.tasks!r}>'.format(self)
  471. tasks = _getitem_property('kwargs.header')
  472. body = _getitem_property('kwargs.body')
  473. def signature(varies, *args, **kwargs):
  474. if not (args or kwargs) and isinstance(varies, dict):
  475. if isinstance(varies, Signature):
  476. return varies.clone()
  477. return Signature.from_dict(varies)
  478. return Signature(varies, *args, **kwargs)
  479. subtask = signature # XXX compat
  480. def maybe_signature(d, app=None):
  481. if d is not None and isinstance(d, dict):
  482. if not isinstance(d, Signature):
  483. return signature(d, app=app)
  484. if app is not None:
  485. d._app = app
  486. return d
  487. maybe_subtask = maybe_signature # XXX compat