task.py 30 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800
  1. # -*- coding: utf-8 -*-
  2. """
  3. celery.app.task
  4. ~~~~~~~~~~~~~~~
  5. Task Implementation: Task request context, and the base task class.
  6. """
  7. from __future__ import absolute_import
  8. import sys
  9. from celery import current_app
  10. from celery import states
  11. from celery._state import get_current_worker_task, _task_stack
  12. from celery.canvas import subtask
  13. from celery.datastructures import ExceptionInfo
  14. from celery.exceptions import MaxRetriesExceededError, RetryTaskError
  15. from celery.five import class_property, items, with_metaclass
  16. from celery.result import EagerResult
  17. from celery.utils import gen_task_name, fun_takes_kwargs, uuid, maybe_reraise
  18. from celery.utils.functional import mattrgetter, maybe_list
  19. from celery.utils.imports import instantiate
  20. from celery.utils.mail import ErrorMail
  21. from .annotations import resolve_all as resolve_all_annotations
  22. from .registry import _unpickle_task_v2
  23. #: extracts attributes related to publishing a message from an object.
  24. extract_exec_options = mattrgetter(
  25. 'queue', 'routing_key', 'exchange', 'priority', 'expires',
  26. 'serializer', 'delivery_mode', 'compression', 'timeout', 'soft_timeout',
  27. 'immediate', 'mandatory', # imm+man is deprecated
  28. )
  29. class Context(object):
  30. # Default context
  31. logfile = None
  32. loglevel = None
  33. hostname = None
  34. id = None
  35. args = None
  36. kwargs = None
  37. retries = 0
  38. eta = None
  39. expires = None
  40. is_eager = False
  41. delivery_info = None
  42. taskset = None # compat alias to group
  43. group = None
  44. chord = None
  45. utc = None
  46. called_directly = True
  47. callbacks = None
  48. errbacks = None
  49. timeouts = None
  50. _children = None # see property
  51. _protected = 0
  52. def __init__(self, *args, **kwargs):
  53. self.update(*args, **kwargs)
  54. def update(self, *args, **kwargs):
  55. return self.__dict__.update(*args, **kwargs)
  56. def clear(self):
  57. return self.__dict__.clear()
  58. def get(self, key, default=None):
  59. return getattr(self, key, default)
  60. def __repr__(self):
  61. return '<Context: {0!r}>'.format(vars(self))
  62. @property
  63. def children(self):
  64. # children must be an empy list for every thread
  65. if self._children is None:
  66. self._children = []
  67. return self._children
  68. class TaskType(type):
  69. """Meta class for tasks.
  70. Automatically registers the task in the task registry (except
  71. if the :attr:`Task.abstract`` attribute is set).
  72. If no :attr:`Task.name` attribute is provided, then the name is generated
  73. from the module and class name.
  74. """
  75. def __new__(cls, name, bases, attrs):
  76. new = super(TaskType, cls).__new__
  77. task_module = attrs.get('__module__') or '__main__'
  78. # - Abstract class: abstract attribute should not be inherited.
  79. if attrs.pop('abstract', None) or not attrs.get('autoregister', True):
  80. return new(cls, name, bases, attrs)
  81. # The 'app' attribute is now a property, with the real app located
  82. # in the '_app' attribute. Previously this was a regular attribute,
  83. # so we should support classes defining it.
  84. _app1, _app2 = attrs.pop('_app', None), attrs.pop('app', None)
  85. app = attrs['_app'] = _app1 or _app2 or current_app
  86. # - Automatically generate missing/empty name.
  87. task_name = attrs.get('name')
  88. if not task_name:
  89. attrs['name'] = task_name = gen_task_name(app, name, task_module)
  90. # - Create and register class.
  91. # Because of the way import happens (recursively)
  92. # we may or may not be the first time the task tries to register
  93. # with the framework. There should only be one class for each task
  94. # name, so we always return the registered version.
  95. tasks = app._tasks
  96. if task_name not in tasks:
  97. tasks.register(new(cls, name, bases, attrs))
  98. instance = tasks[task_name]
  99. instance.bind(app)
  100. return instance.__class__
  101. def __repr__(cls):
  102. if cls._app:
  103. return '<class {0.__name__} of {0._app}>'.format(cls)
  104. if cls.__v2_compat__:
  105. return '<unbound {0.__name__} (v2 compatible)>'.format(cls)
  106. return '<unbound {0.__name__}>'.format(cls)
  107. @with_metaclass(TaskType)
  108. class Task(object):
  109. """Task base class.
  110. When called tasks apply the :meth:`run` method. This method must
  111. be defined by all tasks (that is unless the :meth:`__call__` method
  112. is overridden).
  113. """
  114. __trace__ = None
  115. __v2_compat__ = False # set by old base in celery.task.base
  116. ErrorMail = ErrorMail
  117. MaxRetriesExceededError = MaxRetriesExceededError
  118. #: Execution strategy used, or the qualified name of one.
  119. Strategy = 'celery.worker.strategy:default'
  120. #: This is the instance bound to if the task is a method of a class.
  121. __self__ = None
  122. #: The application instance associated with this task class.
  123. _app = None
  124. #: Name of the task.
  125. name = None
  126. #: If :const:`True` the task is an abstract base class.
  127. abstract = True
  128. #: If disabled the worker will not forward magic keyword arguments.
  129. #: Deprecated and scheduled for removal in v4.0.
  130. accept_magic_kwargs = False
  131. #: Maximum number of retries before giving up. If set to :const:`None`,
  132. #: it will **never** stop retrying.
  133. max_retries = 3
  134. #: Default time in seconds before a retry of the task should be
  135. #: executed. 3 minutes by default.
  136. default_retry_delay = 3 * 60
  137. #: Rate limit for this task type. Examples: :const:`None` (no rate
  138. #: limit), `'100/s'` (hundred tasks a second), `'100/m'` (hundred tasks
  139. #: a minute),`'100/h'` (hundred tasks an hour)
  140. rate_limit = None
  141. #: If enabled the worker will not store task state and return values
  142. #: for this task. Defaults to the :setting:`CELERY_IGNORE_RESULT`
  143. #: setting.
  144. ignore_result = None
  145. #: When enabled errors will be stored even if the task is otherwise
  146. #: configured to ignore results.
  147. store_errors_even_if_ignored = None
  148. #: If enabled an email will be sent to :setting:`ADMINS` whenever a task
  149. #: of this type fails.
  150. send_error_emails = None
  151. #: The name of a serializer that are registered with
  152. #: :mod:`kombu.serialization.registry`. Default is `'pickle'`.
  153. serializer = None
  154. #: Hard time limit.
  155. #: Defaults to the :setting:`CELERY_TASK_TIME_LIMIT` setting.
  156. time_limit = None
  157. #: Soft time limit.
  158. #: Defaults to the :setting:`CELERY_TASK_SOFT_TIME_LIMIT` setting.
  159. soft_time_limit = None
  160. #: The result store backend used for this task.
  161. backend = None
  162. #: If disabled this task won't be registered automatically.
  163. autoregister = True
  164. #: If enabled the task will report its status as 'started' when the task
  165. #: is executed by a worker. Disabled by default as the normal behaviour
  166. #: is to not report that level of granularity. Tasks are either pending,
  167. #: finished, or waiting to be retried.
  168. #:
  169. #: Having a 'started' status can be useful for when there are long
  170. #: running tasks and there is a need to report which task is currently
  171. #: running.
  172. #:
  173. #: The application default can be overridden using the
  174. #: :setting:`CELERY_TRACK_STARTED` setting.
  175. track_started = None
  176. #: When enabled messages for this task will be acknowledged **after**
  177. #: the task has been executed, and not *just before* which is the
  178. #: default behavior.
  179. #:
  180. #: Please note that this means the task may be executed twice if the
  181. #: worker crashes mid execution (which may be acceptable for some
  182. #: applications).
  183. #:
  184. #: The application default can be overridden with the
  185. #: :setting:`CELERY_ACKS_LATE` setting.
  186. acks_late = None
  187. #: Default task expiry time.
  188. expires = None
  189. #: Some may expect a request to exist even if the task has not been
  190. #: called. This should probably be deprecated.
  191. _default_request = None
  192. __bound__ = False
  193. from_config = (
  194. ('send_error_emails', 'CELERY_SEND_TASK_ERROR_EMAILS'),
  195. ('serializer', 'CELERY_TASK_SERIALIZER'),
  196. ('rate_limit', 'CELERY_DEFAULT_RATE_LIMIT'),
  197. ('track_started', 'CELERY_TRACK_STARTED'),
  198. ('acks_late', 'CELERY_ACKS_LATE'),
  199. ('ignore_result', 'CELERY_IGNORE_RESULT'),
  200. ('store_errors_even_if_ignored',
  201. 'CELERY_STORE_ERRORS_EVEN_IF_IGNORED'),
  202. )
  203. __bound__ = False
  204. # - Tasks are lazily bound, so that configuration is not set
  205. # - until the task is actually used
  206. @classmethod
  207. def bind(self, app):
  208. was_bound, self.__bound__ = self.__bound__, True
  209. self._app = app
  210. conf = app.conf
  211. for attr_name, config_name in self.from_config:
  212. if getattr(self, attr_name, None) is None:
  213. setattr(self, attr_name, conf[config_name])
  214. if self.accept_magic_kwargs is None:
  215. self.accept_magic_kwargs = app.accept_magic_kwargs
  216. if self.backend is None:
  217. self.backend = app.backend
  218. # decorate with annotations from config.
  219. if not was_bound:
  220. self.annotate()
  221. from celery.utils.threads import LocalStack
  222. self.request_stack = LocalStack()
  223. # PeriodicTask uses this to add itself to the PeriodicTask schedule.
  224. self.on_bound(app)
  225. return app
  226. @classmethod
  227. def on_bound(self, app):
  228. """This method can be defined to do additional actions when the
  229. task class is bound to an app."""
  230. pass
  231. @classmethod
  232. def _get_app(self):
  233. if not self.__bound__ or self._app is None:
  234. # The app property's __set__ method is not called
  235. # if Task.app is set (on the class), so must bind on use.
  236. self.bind(current_app)
  237. return self._app
  238. app = class_property(_get_app, bind)
  239. @classmethod
  240. def annotate(self):
  241. for d in resolve_all_annotations(self.app.annotations, self):
  242. for key, value in items(d):
  243. if key.startswith('@'):
  244. self.add_around(key[1:], value)
  245. else:
  246. setattr(self, key, value)
  247. @classmethod
  248. def add_around(self, attr, around):
  249. orig = getattr(self, attr)
  250. if getattr(orig, '__wrapped__', None):
  251. orig = orig.__wrapped__
  252. meth = around(orig)
  253. meth.__wrapped__ = orig
  254. setattr(self, attr, meth)
  255. def __call__(self, *args, **kwargs):
  256. _task_stack.push(self)
  257. self.push_request()
  258. try:
  259. # add self if this is a bound task
  260. if self.__self__ is not None:
  261. return self.run(self.__self__, *args, **kwargs)
  262. return self.run(*args, **kwargs)
  263. finally:
  264. self.pop_request()
  265. _task_stack.pop()
  266. def __reduce__(self):
  267. # - tasks are pickled into the name of the task only, and the reciever
  268. # - simply grabs it from the local registry.
  269. # - in later versions the module of the task is also included,
  270. # - and the receiving side tries to import that module so that
  271. # - it will work even if the task has not been registered.
  272. mod = type(self).__module__
  273. mod = mod if mod and mod in sys.modules else None
  274. return (_unpickle_task_v2, (self.name, mod), None)
  275. def run(self, *args, **kwargs):
  276. """The body of the task executed by workers."""
  277. raise NotImplementedError('Tasks must define the run method.')
  278. def start_strategy(self, app, consumer):
  279. return instantiate(self.Strategy, self, app, consumer)
  280. def delay(self, *args, **kwargs):
  281. """Star argument version of :meth:`apply_async`.
  282. Does not support the extra options enabled by :meth:`apply_async`.
  283. :param \*args: positional arguments passed on to the task.
  284. :param \*\*kwargs: keyword arguments passed on to the task.
  285. :returns :class:`celery.result.AsyncResult`:
  286. """
  287. return self.apply_async(args, kwargs)
  288. def apply_async(self, args=None, kwargs=None,
  289. task_id=None, producer=None, connection=None, router=None,
  290. link=None, link_error=None, publisher=None,
  291. add_to_parent=True, **options):
  292. """Apply tasks asynchronously by sending a message.
  293. :keyword args: The positional arguments to pass on to the
  294. task (a :class:`list` or :class:`tuple`).
  295. :keyword kwargs: The keyword arguments to pass on to the
  296. task (a :class:`dict`)
  297. :keyword countdown: Number of seconds into the future that the
  298. task should execute. Defaults to immediate
  299. execution.
  300. :keyword eta: A :class:`~datetime.datetime` object describing
  301. the absolute time and date of when the task should
  302. be executed. May not be specified if `countdown`
  303. is also supplied.
  304. :keyword expires: Either a :class:`int`, describing the number of
  305. seconds, or a :class:`~datetime.datetime` object
  306. that describes the absolute time and date of when
  307. the task should expire. The task will not be
  308. executed after the expiration time.
  309. :keyword connection: Re-use existing broker connection instead
  310. of establishing a new one.
  311. :keyword retry: If enabled sending of the task message will be retried
  312. in the event of connection loss or failure. Default
  313. is taken from the :setting:`CELERY_TASK_PUBLISH_RETRY`
  314. setting. Note you need to handle the
  315. producer/connection manually for this to work.
  316. :keyword retry_policy: Override the retry policy used. See the
  317. :setting:`CELERY_TASK_PUBLISH_RETRY` setting.
  318. :keyword routing_key: Custom routing key used to route the task to a
  319. worker server. If in combination with a
  320. ``queue`` argument only used to specify custom
  321. routing keys to topic exchanges.
  322. :keyword queue: The queue to route the task to. This must be a key
  323. present in :setting:`CELERY_QUEUES`, or
  324. :setting:`CELERY_CREATE_MISSING_QUEUES` must be
  325. enabled. See :ref:`guide-routing` for more
  326. information.
  327. :keyword exchange: Named custom exchange to send the task to.
  328. Usually not used in combination with the ``queue``
  329. argument.
  330. :keyword priority: The task priority, a number between 0 and 9.
  331. Defaults to the :attr:`priority` attribute.
  332. :keyword serializer: A string identifying the default
  333. serialization method to use. Can be `pickle`,
  334. `json`, `yaml`, `msgpack` or any custom
  335. serialization method that has been registered
  336. with :mod:`kombu.serialization.registry`.
  337. Defaults to the :attr:`serializer` attribute.
  338. :keyword compression: A string identifying the compression method
  339. to use. Can be one of ``zlib``, ``bzip2``,
  340. or any custom compression methods registered with
  341. :func:`kombu.compression.register`. Defaults to
  342. the :setting:`CELERY_MESSAGE_COMPRESSION`
  343. setting.
  344. :keyword link: A single, or a list of subtasks to apply if the
  345. task exits successfully.
  346. :keyword link_error: A single, or a list of subtasks to apply
  347. if an error occurs while executing the task.
  348. :keyword producer: :class:~@amqp.TaskProducer` instance to use.
  349. :keyword add_to_parent: If set to True (default) and the task
  350. is applied while executing another task, then the result
  351. will be appended to the parent tasks ``request.children``
  352. attribute.
  353. :keyword publisher: Deprecated alias to ``producer``.
  354. Also supports all keyword arguments supported by
  355. :meth:`kombu.Producer.publish`.
  356. .. note::
  357. If the :setting:`CELERY_ALWAYS_EAGER` setting is set, it will
  358. be replaced by a local :func:`apply` call instead.
  359. """
  360. task_id = task_id or uuid()
  361. producer = producer or publisher
  362. app = self._get_app()
  363. router = router or self.app.amqp.router
  364. conf = app.conf
  365. # add 'self' if this is a bound method.
  366. if self.__self__ is not None:
  367. args = (self.__self__, ) + tuple(args)
  368. if conf.CELERY_ALWAYS_EAGER:
  369. return self.apply(args, kwargs, task_id=task_id, **options)
  370. options = dict(extract_exec_options(self), **options)
  371. options = router.route(options, self.name, args, kwargs)
  372. if connection:
  373. producer = app.amqp.TaskProducer(connection)
  374. with app.producer_or_acquire(producer) as P:
  375. extra_properties = self.backend.on_task_call(P, task_id)
  376. task_id = P.publish_task(self.name, args, kwargs,
  377. task_id=task_id,
  378. callbacks=maybe_list(link),
  379. errbacks=maybe_list(link_error),
  380. **dict(options, **extra_properties))
  381. result = self.AsyncResult(task_id)
  382. if add_to_parent:
  383. parent = get_current_worker_task()
  384. if parent:
  385. parent.request.children.append(result)
  386. return result
  387. def subtask_from_request(self, request=None, args=None, kwargs=None,
  388. **extra_options):
  389. request = self.request if request is None else request
  390. args = request.args if args is None else args
  391. kwargs = request.kwargs if kwargs is None else kwargs
  392. options = dict({
  393. 'task_id': request.id,
  394. 'link': request.callbacks,
  395. 'link_error': request.errbacks,
  396. 'group_id': request.taskset,
  397. 'chord': request.chord,
  398. 'timeouts': request.timeouts,
  399. }, **request.delivery_info or {})
  400. return self.subtask(args, kwargs, options, type=self, **extra_options)
  401. def retry(self, args=None, kwargs=None, exc=None, throw=True,
  402. eta=None, countdown=None, max_retries=None, **options):
  403. """Retry the task.
  404. :param args: Positional arguments to retry with.
  405. :param kwargs: Keyword arguments to retry with.
  406. :keyword exc: Custom exception to report when the max restart
  407. limit has been exceeded (default:
  408. :exc:`~celery.exceptions.MaxRetriesExceededError`).
  409. If this argument is set and retry is called while
  410. an exception was raised (``sys.exc_info()`` is set)
  411. it will attempt to reraise the current exception.
  412. If no exception was raised it will raise the ``exc``
  413. argument provided.
  414. :keyword countdown: Time in seconds to delay the retry for.
  415. :keyword eta: Explicit time and date to run the retry at
  416. (must be a :class:`~datetime.datetime` instance).
  417. :keyword max_retries: If set, overrides the default retry limit.
  418. :keyword timeout: If set, overrides the default timeout.
  419. :keyword soft_timeout: If set, overrides the default soft timeout.
  420. :keyword \*\*options: Any extra options to pass on to
  421. meth:`apply_async`.
  422. :keyword throw: If this is :const:`False`, do not raise the
  423. :exc:`~celery.exceptions.RetryTaskError` exception,
  424. that tells the worker to mark the task as being
  425. retried. Note that this means the task will be
  426. marked as failed if the task raises an exception,
  427. or successful if it returns.
  428. :raises celery.exceptions.RetryTaskError: To tell the worker that
  429. the task has been re-sent for retry. This always happens,
  430. unless the `throw` keyword argument has been explicitly set
  431. to :const:`False`, and is considered normal operation.
  432. **Example**
  433. .. code-block:: python
  434. >>> @task()
  435. >>> def tweet(auth, message):
  436. ... twitter = Twitter(oauth=auth)
  437. ... try:
  438. ... twitter.post_status_update(message)
  439. ... except twitter.FailWhale as exc:
  440. ... # Retry in 5 minutes.
  441. ... raise tweet.retry(countdown=60 * 5, exc=exc)
  442. Although the task will never return above as `retry` raises an
  443. exception to notify the worker, we use `raise` in front of the retry
  444. to convey that the rest of the block will not be executed.
  445. """
  446. request = self.request
  447. retries = request.retries + 1
  448. max_retries = self.max_retries if max_retries is None else max_retries
  449. # Not in worker or emulated by (apply/always_eager),
  450. # so just raise the original exception.
  451. if request.called_directly:
  452. maybe_reraise() # raise orig stack if PyErr_Occurred
  453. raise exc or RetryTaskError('Task can be retried', None)
  454. if not eta and countdown is None:
  455. countdown = self.default_retry_delay
  456. S = self.subtask_from_request(
  457. request, args, kwargs,
  458. countdown=countdown, eta=eta, retries=retries,
  459. **options
  460. )
  461. if max_retries is not None and retries > max_retries:
  462. if exc:
  463. maybe_reraise()
  464. raise self.MaxRetriesExceededError(
  465. "Can't retry {0}[{1}] args:{2} kwargs:{3}".format(
  466. self.name, request.id, S.args, S.kwargs))
  467. # If task was executed eagerly using apply(),
  468. # then the retry must also be executed eagerly.
  469. S.apply().get() if request.is_eager else S.apply_async()
  470. ret = RetryTaskError(exc=exc, when=eta or countdown)
  471. if throw:
  472. raise ret
  473. return ret
  474. def apply(self, args=None, kwargs=None, **options):
  475. """Execute this task locally, by blocking until the task returns.
  476. :param args: positional arguments passed on to the task.
  477. :param kwargs: keyword arguments passed on to the task.
  478. :keyword throw: Re-raise task exceptions. Defaults to
  479. the :setting:`CELERY_EAGER_PROPAGATES_EXCEPTIONS`
  480. setting.
  481. :rtype :class:`celery.result.EagerResult`:
  482. """
  483. # trace imports Task, so need to import inline.
  484. from celery.task.trace import eager_trace_task
  485. app = self._get_app()
  486. args = args or ()
  487. # add 'self' if this is a bound method.
  488. if self.__self__ is not None:
  489. args = (self.__self__, ) + tuple(args)
  490. kwargs = kwargs or {}
  491. task_id = options.get('task_id') or uuid()
  492. retries = options.get('retries', 0)
  493. throw = app.either('CELERY_EAGER_PROPAGATES_EXCEPTIONS',
  494. options.pop('throw', None))
  495. # Make sure we get the task instance, not class.
  496. task = app._tasks[self.name]
  497. request = {'id': task_id,
  498. 'retries': retries,
  499. 'is_eager': True,
  500. 'logfile': options.get('logfile'),
  501. 'loglevel': options.get('loglevel', 0),
  502. 'delivery_info': {'is_eager': True}}
  503. if self.accept_magic_kwargs:
  504. default_kwargs = {'task_name': task.name,
  505. 'task_id': task_id,
  506. 'task_retries': retries,
  507. 'task_is_eager': True,
  508. 'logfile': options.get('logfile'),
  509. 'loglevel': options.get('loglevel', 0),
  510. 'delivery_info': {'is_eager': True}}
  511. supported_keys = fun_takes_kwargs(task.run, default_kwargs)
  512. extend_with = dict((key, val)
  513. for key, val in items(default_kwargs)
  514. if key in supported_keys)
  515. kwargs.update(extend_with)
  516. tb = None
  517. retval, info = eager_trace_task(task, task_id, args, kwargs,
  518. request=request, propagate=throw)
  519. if isinstance(retval, ExceptionInfo):
  520. retval, tb = retval.exception, retval.traceback
  521. state = states.SUCCESS if info is None else info.state
  522. return EagerResult(task_id, retval, state, traceback=tb)
  523. def AsyncResult(self, task_id, **kwargs):
  524. """Get AsyncResult instance for this kind of task.
  525. :param task_id: Task id to get result for.
  526. """
  527. return self._get_app().AsyncResult(task_id, backend=self.backend,
  528. task_name=self.name, **kwargs)
  529. def subtask(self, args=None, *starargs, **starkwargs):
  530. """Returns :class:`~celery.subtask` object for
  531. this task, wrapping arguments and execution options
  532. for a single task invocation."""
  533. return subtask(self, args, *starargs, **starkwargs)
  534. def s(self, *args, **kwargs):
  535. """``.s(*a, **k) -> .subtask(a, k)``"""
  536. return self.subtask(args, kwargs)
  537. def si(self, *args, **kwargs):
  538. """``.si(*a, **k) -> .subtask(a, k, immutable=True)``"""
  539. return self.subtask(args, kwargs, immutable=True)
  540. def chunks(self, it, n):
  541. """Creates a :class:`~celery.canvas.chunks` task for this task."""
  542. from celery import chunks
  543. return chunks(self.s(), it, n)
  544. def map(self, it):
  545. """Creates a :class:`~celery.canvas.xmap` task from ``it``."""
  546. from celery import xmap
  547. return xmap(self.s(), it)
  548. def starmap(self, it):
  549. """Creates a :class:`~celery.canvas.xstarmap` task from ``it``."""
  550. from celery import xstarmap
  551. return xstarmap(self.s(), it)
  552. def update_state(self, task_id=None, state=None, meta=None):
  553. """Update task state.
  554. :keyword task_id: Id of the task to update, defaults to the
  555. id of the current task
  556. :keyword state: New state (:class:`str`).
  557. :keyword meta: State metadata (:class:`dict`).
  558. """
  559. if task_id is None:
  560. task_id = self.request.id
  561. self.backend.store_result(task_id, meta, state)
  562. def on_success(self, retval, task_id, args, kwargs):
  563. """Success handler.
  564. Run by the worker if the task executes successfully.
  565. :param retval: The return value of the task.
  566. :param task_id: Unique id of the executed task.
  567. :param args: Original arguments for the executed task.
  568. :param kwargs: Original keyword arguments for the executed task.
  569. The return value of this handler is ignored.
  570. """
  571. pass
  572. def on_retry(self, exc, task_id, args, kwargs, einfo):
  573. """Retry handler.
  574. This is run by the worker when the task is to be retried.
  575. :param exc: The exception sent to :meth:`retry`.
  576. :param task_id: Unique id of the retried task.
  577. :param args: Original arguments for the retried task.
  578. :param kwargs: Original keyword arguments for the retried task.
  579. :keyword einfo: :class:`~celery.datastructures.ExceptionInfo`
  580. instance, containing the traceback.
  581. The return value of this handler is ignored.
  582. """
  583. pass
  584. def on_failure(self, exc, task_id, args, kwargs, einfo):
  585. """Error handler.
  586. This is run by the worker when the task fails.
  587. :param exc: The exception raised by the task.
  588. :param task_id: Unique id of the failed task.
  589. :param args: Original arguments for the task that failed.
  590. :param kwargs: Original keyword arguments for the task
  591. that failed.
  592. :keyword einfo: :class:`~celery.datastructures.ExceptionInfo`
  593. instance, containing the traceback.
  594. The return value of this handler is ignored.
  595. """
  596. pass
  597. def after_return(self, status, retval, task_id, args, kwargs, einfo):
  598. """Handler called after the task returns.
  599. :param status: Current task state.
  600. :param retval: Task return value/exception.
  601. :param task_id: Unique id of the task.
  602. :param args: Original arguments for the task that failed.
  603. :param kwargs: Original keyword arguments for the task
  604. that failed.
  605. :keyword einfo: :class:`~celery.datastructures.ExceptionInfo`
  606. instance, containing the traceback (if any).
  607. The return value of this handler is ignored.
  608. """
  609. pass
  610. def send_error_email(self, context, exc, **kwargs):
  611. if self.send_error_emails and \
  612. not getattr(self, 'disable_error_emails', None):
  613. self.ErrorMail(self, **kwargs).send(context, exc)
  614. def push_request(self, *args, **kwargs):
  615. self.request_stack.push(Context(*args, **kwargs))
  616. def pop_request(self):
  617. self.request_stack.pop()
  618. def __repr__(self):
  619. """`repr(task)`"""
  620. if self.__self__:
  621. return '<bound task {0.name} of {0.__self__}>'.format(self)
  622. return '<@task: {0.name}>'.format(self)
  623. def _get_request(self):
  624. """Get current request object."""
  625. req = self.request_stack.top
  626. if req is None:
  627. # task was not called, but some may still expect a request
  628. # to be there, perhaps that should be deprecated.
  629. if self._default_request is None:
  630. self._default_request = Context()
  631. return self._default_request
  632. return req
  633. request = property(_get_request)
  634. @property
  635. def __name__(self):
  636. return self.__class__.__name__
  637. BaseTask = Task # compat alias