task.py 37 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026
  1. # -*- coding: utf-8 -*-
  2. """Task implementation: request context and the task base class."""
  3. from __future__ import absolute_import, unicode_literals
  4. import sys
  5. from billiard.einfo import ExceptionInfo
  6. from kombu import serialization
  7. from kombu.exceptions import OperationalError
  8. from kombu.utils.uuid import uuid
  9. from celery import current_app, group, states
  10. from celery._state import _task_stack
  11. from celery.canvas import signature
  12. from celery.exceptions import (Ignore, ImproperlyConfigured,
  13. MaxRetriesExceededError, Reject, Retry)
  14. from celery.five import items, python_2_unicode_compatible
  15. from celery.local import class_property
  16. from celery.result import EagerResult, denied_join_result
  17. from celery.utils import abstract
  18. from celery.utils.functional import mattrgetter, maybe_list
  19. from celery.utils.imports import instantiate
  20. from celery.utils.nodenames import gethostname
  21. from celery.utils.serialization import raise_with_context
  22. from .annotations import resolve_all as resolve_all_annotations
  23. from .registry import _unpickle_task_v2
  24. from .utils import appstr
  25. __all__ = ('Context', 'Task')
  26. #: extracts attributes related to publishing a message from an object.
  27. extract_exec_options = mattrgetter(
  28. 'queue', 'routing_key', 'exchange', 'priority', 'expires',
  29. 'serializer', 'delivery_mode', 'compression', 'time_limit',
  30. 'soft_time_limit', 'immediate', 'mandatory', # imm+man is deprecated
  31. )
  32. # We take __repr__ very seriously around here ;)
  33. R_BOUND_TASK = '<class {0.__name__} of {app}{flags}>'
  34. R_UNBOUND_TASK = '<unbound {0.__name__}{flags}>'
  35. R_INSTANCE = '<@task: {0.name} of {app}{flags}>'
  36. #: Here for backwards compatibility as tasks no longer use a custom meta-class.
  37. TaskType = type
  38. def _strflags(flags, default=''):
  39. if flags:
  40. return ' ({0})'.format(', '.join(flags))
  41. return default
  42. def _reprtask(task, fmt=None, flags=None):
  43. flags = list(flags) if flags is not None else []
  44. flags.append('v2 compatible') if task.__v2_compat__ else None
  45. if not fmt:
  46. fmt = R_BOUND_TASK if task._app else R_UNBOUND_TASK
  47. return fmt.format(
  48. task, flags=_strflags(flags),
  49. app=appstr(task._app) if task._app else None,
  50. )
  51. @python_2_unicode_compatible
  52. class Context(object):
  53. """Task request variables (Task.request)."""
  54. logfile = None
  55. loglevel = None
  56. hostname = None
  57. id = None
  58. args = None
  59. kwargs = None
  60. retries = 0
  61. eta = None
  62. expires = None
  63. is_eager = False
  64. headers = None
  65. delivery_info = None
  66. reply_to = None
  67. root_id = None
  68. parent_id = None
  69. correlation_id = None
  70. taskset = None # compat alias to group
  71. group = None
  72. chord = None
  73. chain = None
  74. utc = None
  75. called_directly = True
  76. callbacks = None
  77. errbacks = None
  78. timelimit = None
  79. origin = None
  80. task_name = None
  81. _children = None # see property
  82. _protected = 0
  83. def __init__(self, *args, **kwargs):
  84. self.update(*args, **kwargs)
  85. def update(self, *args, **kwargs):
  86. return self.__dict__.update(*args, **kwargs)
  87. def clear(self):
  88. return self.__dict__.clear()
  89. def get(self, key, default=None):
  90. return getattr(self, key, default)
  91. def __repr__(self):
  92. return '<Context: {0!r}>'.format(vars(self))
  93. def as_execution_options(self):
  94. limit_hard, limit_soft = self.timelimit or (None, None)
  95. return {
  96. 'task_id': self.id,
  97. 'root_id': self.root_id,
  98. 'parent_id': self.parent_id,
  99. 'group_id': self.group,
  100. 'chord': self.chord,
  101. 'chain': self.chain,
  102. 'link': self.callbacks,
  103. 'link_error': self.errbacks,
  104. 'expires': self.expires,
  105. 'soft_time_limit': limit_soft,
  106. 'time_limit': limit_hard,
  107. 'headers': self.headers,
  108. 'retries': self.retries,
  109. 'reply_to': self.reply_to,
  110. 'origin': self.origin,
  111. 'task_name': self.task_name
  112. }
  113. @property
  114. def children(self):
  115. # children must be an empty list for every thread
  116. if self._children is None:
  117. self._children = []
  118. return self._children
  119. @abstract.CallableTask.register
  120. @python_2_unicode_compatible
  121. class Task(object):
  122. """Task base class.
  123. Note:
  124. When called tasks apply the :meth:`run` method. This method must
  125. be defined by all tasks (that is unless the :meth:`__call__` method
  126. is overridden).
  127. """
  128. __trace__ = None
  129. __v2_compat__ = False # set by old base in celery.task.base
  130. MaxRetriesExceededError = MaxRetriesExceededError
  131. OperationalError = OperationalError
  132. #: Execution strategy used, or the qualified name of one.
  133. Strategy = 'celery.worker.strategy:default'
  134. #: Request class used, or the qualified name of one.
  135. Request = 'celery.worker.request:Request'
  136. #: The application instance associated with this task class.
  137. _app = None
  138. #: Name of the task.
  139. name = None
  140. #: Enable argument checking.
  141. #: You can set this to false if you don't want the signature to be
  142. #: checked when calling the task.
  143. #: Defaults to :attr:`app.strict_typing <@Celery.strict_typing>`.
  144. typing = None
  145. #: Maximum number of retries before giving up. If set to :const:`None`,
  146. #: it will **never** stop retrying.
  147. max_retries = 3
  148. #: Default time in seconds before a retry of the task should be
  149. #: executed. 3 minutes by default.
  150. default_retry_delay = 3 * 60
  151. #: Rate limit for this task type. Examples: :const:`None` (no rate
  152. #: limit), `'100/s'` (hundred tasks a second), `'100/m'` (hundred tasks
  153. #: a minute),`'100/h'` (hundred tasks an hour)
  154. rate_limit = None
  155. #: If enabled the worker won't store task state and return values
  156. #: for this task. Defaults to the :setting:`task_ignore_result`
  157. #: setting.
  158. ignore_result = None
  159. #: If enabled the request will keep track of subtasks started by
  160. #: this task, and this information will be sent with the result
  161. #: (``result.children``).
  162. trail = True
  163. #: If enabled the worker will send monitoring events related to
  164. #: this task (but only if the worker is configured to send
  165. #: task related events).
  166. #: Note that this has no effect on the task-failure event case
  167. #: where a task is not registered (as it will have no task class
  168. #: to check this flag).
  169. send_events = True
  170. #: When enabled errors will be stored even if the task is otherwise
  171. #: configured to ignore results.
  172. store_errors_even_if_ignored = None
  173. #: The name of a serializer that are registered with
  174. #: :mod:`kombu.serialization.registry`. Default is `'pickle'`.
  175. serializer = None
  176. #: Hard time limit.
  177. #: Defaults to the :setting:`task_time_limit` setting.
  178. time_limit = None
  179. #: Soft time limit.
  180. #: Defaults to the :setting:`task_soft_time_limit` setting.
  181. soft_time_limit = None
  182. #: The result store backend used for this task.
  183. backend = None
  184. #: If disabled this task won't be registered automatically.
  185. autoregister = True
  186. #: If enabled the task will report its status as 'started' when the task
  187. #: is executed by a worker. Disabled by default as the normal behavior
  188. #: is to not report that level of granularity. Tasks are either pending,
  189. #: finished, or waiting to be retried.
  190. #:
  191. #: Having a 'started' status can be useful for when there are long
  192. #: running tasks and there's a need to report what task is currently
  193. #: running.
  194. #:
  195. #: The application default can be overridden using the
  196. #: :setting:`task_track_started` setting.
  197. track_started = None
  198. #: When enabled messages for this task will be acknowledged **after**
  199. #: the task has been executed, and not *just before* (the
  200. #: default behavior).
  201. #:
  202. #: Please note that this means the task may be executed twice if the
  203. #: worker crashes mid execution.
  204. #:
  205. #: The application default can be overridden with the
  206. #: :setting:`task_acks_late` setting.
  207. acks_late = None
  208. #: When enabled messages for this task will be acknowledged even if it
  209. #: fails or times out.
  210. #:
  211. #: The application default can be overridden with the
  212. #: :setting:`task_acks_on_failure_or_timeout` setting.
  213. acks_on_failure_or_timeout = True
  214. #: Even if :attr:`acks_late` is enabled, the worker will
  215. #: acknowledge tasks when the worker process executing them abruptly
  216. #: exits or is signaled (e.g., :sig:`KILL`/:sig:`INT`, etc).
  217. #:
  218. #: Setting this to true allows the message to be re-queued instead,
  219. #: so that the task will execute again by the same worker, or another
  220. #: worker.
  221. #:
  222. #: Warning: Enabling this can cause message loops; make sure you know
  223. #: what you're doing.
  224. reject_on_worker_lost = None
  225. #: Tuple of expected exceptions.
  226. #:
  227. #: These are errors that are expected in normal operation
  228. #: and that shouldn't be regarded as a real error by the worker.
  229. #: Currently this means that the state will be updated to an error
  230. #: state, but the worker won't log the event as an error.
  231. throws = ()
  232. #: Default task expiry time.
  233. expires = None
  234. #: Max length of result representation used in logs and events.
  235. resultrepr_maxsize = 1024
  236. #: Task request stack, the current request will be the topmost.
  237. request_stack = None
  238. #: Some may expect a request to exist even if the task hasn't been
  239. #: called. This should probably be deprecated.
  240. _default_request = None
  241. #: Deprecated attribute ``abstract`` here for compatibility.
  242. abstract = True
  243. _exec_options = None
  244. __bound__ = False
  245. from_config = (
  246. ('serializer', 'task_serializer'),
  247. ('rate_limit', 'task_default_rate_limit'),
  248. ('track_started', 'task_track_started'),
  249. ('acks_late', 'task_acks_late'),
  250. ('acks_on_failure_or_timeout', 'task_acks_on_failure_or_timeout'),
  251. ('reject_on_worker_lost', 'task_reject_on_worker_lost'),
  252. ('ignore_result', 'task_ignore_result'),
  253. ('store_errors_even_if_ignored', 'task_store_errors_even_if_ignored'),
  254. )
  255. _backend = None # set by backend property.
  256. # - Tasks are lazily bound, so that configuration is not set
  257. # - until the task is actually used
  258. @classmethod
  259. def bind(cls, app):
  260. was_bound, cls.__bound__ = cls.__bound__, True
  261. cls._app = app
  262. conf = app.conf
  263. cls._exec_options = None # clear option cache
  264. if cls.typing is None:
  265. cls.typing = app.strict_typing
  266. for attr_name, config_name in cls.from_config:
  267. if getattr(cls, attr_name, None) is None:
  268. setattr(cls, attr_name, conf[config_name])
  269. # decorate with annotations from config.
  270. if not was_bound:
  271. cls.annotate()
  272. from celery.utils.threads import LocalStack
  273. cls.request_stack = LocalStack()
  274. # PeriodicTask uses this to add itself to the PeriodicTask schedule.
  275. cls.on_bound(app)
  276. return app
  277. @classmethod
  278. def on_bound(cls, app):
  279. """Called when the task is bound to an app.
  280. Note:
  281. This class method can be defined to do additional actions when
  282. the task class is bound to an app.
  283. """
  284. @classmethod
  285. def _get_app(cls):
  286. if cls._app is None:
  287. cls._app = current_app
  288. if not cls.__bound__:
  289. # The app property's __set__ method is not called
  290. # if Task.app is set (on the class), so must bind on use.
  291. cls.bind(cls._app)
  292. return cls._app
  293. app = class_property(_get_app, bind)
  294. @classmethod
  295. def annotate(cls):
  296. for d in resolve_all_annotations(cls.app.annotations, cls):
  297. for key, value in items(d):
  298. if key.startswith('@'):
  299. cls.add_around(key[1:], value)
  300. else:
  301. setattr(cls, key, value)
  302. @classmethod
  303. def add_around(cls, attr, around):
  304. orig = getattr(cls, attr)
  305. if getattr(orig, '__wrapped__', None):
  306. orig = orig.__wrapped__
  307. meth = around(orig)
  308. meth.__wrapped__ = orig
  309. setattr(cls, attr, meth)
  310. def __call__(self, *args, **kwargs):
  311. _task_stack.push(self)
  312. self.push_request(args=args, kwargs=kwargs)
  313. try:
  314. return self.run(*args, **kwargs)
  315. finally:
  316. self.pop_request()
  317. _task_stack.pop()
  318. def __reduce__(self):
  319. # - tasks are pickled into the name of the task only, and the receiver
  320. # - simply grabs it from the local registry.
  321. # - in later versions the module of the task is also included,
  322. # - and the receiving side tries to import that module so that
  323. # - it will work even if the task hasn't been registered.
  324. mod = type(self).__module__
  325. mod = mod if mod and mod in sys.modules else None
  326. return (_unpickle_task_v2, (self.name, mod), None)
  327. def run(self, *args, **kwargs):
  328. """The body of the task executed by workers."""
  329. raise NotImplementedError('Tasks must define the run method.')
  330. def start_strategy(self, app, consumer, **kwargs):
  331. return instantiate(self.Strategy, self, app, consumer, **kwargs)
  332. def delay(self, *args, **kwargs):
  333. """Star argument version of :meth:`apply_async`.
  334. Does not support the extra options enabled by :meth:`apply_async`.
  335. Arguments:
  336. *args (Any): Positional arguments passed on to the task.
  337. **kwargs (Any): Keyword arguments passed on to the task.
  338. Returns:
  339. celery.result.AsyncResult: Future promise.
  340. """
  341. return self.apply_async(args, kwargs)
  342. def apply_async(self, args=None, kwargs=None, task_id=None, producer=None,
  343. link=None, link_error=None, shadow=None, **options):
  344. """Apply tasks asynchronously by sending a message.
  345. Arguments:
  346. args (Tuple): The positional arguments to pass on to the task.
  347. kwargs (Dict): The keyword arguments to pass on to the task.
  348. countdown (float): Number of seconds into the future that the
  349. task should execute. Defaults to immediate execution.
  350. eta (~datetime.datetime): Absolute time and date of when the task
  351. should be executed. May not be specified if `countdown`
  352. is also supplied.
  353. expires (float, ~datetime.datetime): Datetime or
  354. seconds in the future for the task should expire.
  355. The task won't be executed after the expiration time.
  356. shadow (str): Override task name used in logs/monitoring.
  357. Default is retrieved from :meth:`shadow_name`.
  358. connection (kombu.Connection): Re-use existing broker connection
  359. instead of acquiring one from the connection pool.
  360. retry (bool): If enabled sending of the task message will be
  361. retried in the event of connection loss or failure.
  362. Default is taken from the :setting:`task_publish_retry`
  363. setting. Note that you need to handle the
  364. producer/connection manually for this to work.
  365. retry_policy (Mapping): Override the retry policy used.
  366. See the :setting:`task_publish_retry_policy` setting.
  367. queue (str, kombu.Queue): The queue to route the task to.
  368. This must be a key present in :setting:`task_queues`, or
  369. :setting:`task_create_missing_queues` must be
  370. enabled. See :ref:`guide-routing` for more
  371. information.
  372. exchange (str, kombu.Exchange): Named custom exchange to send the
  373. task to. Usually not used in combination with the ``queue``
  374. argument.
  375. routing_key (str): Custom routing key used to route the task to a
  376. worker server. If in combination with a ``queue`` argument
  377. only used to specify custom routing keys to topic exchanges.
  378. priority (int): The task priority, a number between 0 and 9.
  379. Defaults to the :attr:`priority` attribute.
  380. serializer (str): Serialization method to use.
  381. Can be `pickle`, `json`, `yaml`, `msgpack` or any custom
  382. serialization method that's been registered
  383. with :mod:`kombu.serialization.registry`.
  384. Defaults to the :attr:`serializer` attribute.
  385. compression (str): Optional compression method
  386. to use. Can be one of ``zlib``, ``bzip2``,
  387. or any custom compression methods registered with
  388. :func:`kombu.compression.register`.
  389. Defaults to the :setting:`task_compression` setting.
  390. link (Signature): A single, or a list of tasks signatures
  391. to apply if the task returns successfully.
  392. link_error (Signature): A single, or a list of task signatures
  393. to apply if an error occurs while executing the task.
  394. producer (kombu.Producer): custom producer to use when publishing
  395. the task.
  396. add_to_parent (bool): If set to True (default) and the task
  397. is applied while executing another task, then the result
  398. will be appended to the parent tasks ``request.children``
  399. attribute. Trailing can also be disabled by default using the
  400. :attr:`trail` attribute
  401. publisher (kombu.Producer): Deprecated alias to ``producer``.
  402. headers (Dict): Message headers to be included in the message.
  403. Returns:
  404. celery.result.AsyncResult: Promise of future evaluation.
  405. Raises:
  406. TypeError: If not enough arguments are passed, or too many
  407. arguments are passed. Note that signature checks may
  408. be disabled by specifying ``@task(typing=False)``.
  409. kombu.exceptions.OperationalError: If a connection to the
  410. transport cannot be made, or if the connection is lost.
  411. Note:
  412. Also supports all keyword arguments supported by
  413. :meth:`kombu.Producer.publish`.
  414. """
  415. if self.typing:
  416. try:
  417. check_arguments = self.__header__
  418. except AttributeError: # pragma: no cover
  419. pass
  420. else:
  421. check_arguments(*(args or ()), **(kwargs or {}))
  422. app = self._get_app()
  423. if app.conf.task_always_eager:
  424. with app.producer_or_acquire(producer) as eager_producer:
  425. serializer = options.get(
  426. 'serializer', eager_producer.serializer
  427. )
  428. body = args, kwargs
  429. content_type, content_encoding, data = serialization.dumps(
  430. body, serializer
  431. )
  432. args, kwargs = serialization.loads(
  433. data, content_type, content_encoding
  434. )
  435. with denied_join_result():
  436. return self.apply(args, kwargs, task_id=task_id or uuid(),
  437. link=link, link_error=link_error, **options)
  438. if self.__v2_compat__:
  439. shadow = shadow or self.shadow_name(self(), args, kwargs, options)
  440. else:
  441. shadow = shadow or self.shadow_name(args, kwargs, options)
  442. preopts = self._get_exec_options()
  443. options = dict(preopts, **options) if options else preopts
  444. options.setdefault('ignore_result', self.ignore_result)
  445. return app.send_task(
  446. self.name, args, kwargs, task_id=task_id, producer=producer,
  447. link=link, link_error=link_error, result_cls=self.AsyncResult,
  448. shadow=shadow, task_type=self,
  449. **options
  450. )
  451. def shadow_name(self, args, kwargs, options):
  452. """Override for custom task name in worker logs/monitoring.
  453. Example:
  454. .. code-block:: python
  455. from celery.utils.imports import qualname
  456. def shadow_name(task, args, kwargs, options):
  457. return qualname(args[0])
  458. @app.task(shadow_name=shadow_name, serializer='pickle')
  459. def apply_function_async(fun, *args, **kwargs):
  460. return fun(*args, **kwargs)
  461. Arguments:
  462. args (Tuple): Task positional arguments.
  463. kwargs (Dict): Task keyword arguments.
  464. options (Dict): Task execution options.
  465. """
  466. def signature_from_request(self, request=None, args=None, kwargs=None,
  467. queue=None, **extra_options):
  468. request = self.request if request is None else request
  469. args = request.args if args is None else args
  470. kwargs = request.kwargs if kwargs is None else kwargs
  471. options = request.as_execution_options()
  472. if queue:
  473. options['queue'] = queue
  474. else:
  475. delivery_info = request.delivery_info or {}
  476. exchange = delivery_info.get('exchange')
  477. routing_key = delivery_info.get('routing_key')
  478. if exchange == '' and routing_key:
  479. # sent to anon-exchange
  480. options['queue'] = routing_key
  481. else:
  482. options.update(delivery_info)
  483. return self.signature(
  484. args, kwargs, options, type=self, **extra_options
  485. )
  486. subtask_from_request = signature_from_request # XXX compat
  487. def retry(self, args=None, kwargs=None, exc=None, throw=True,
  488. eta=None, countdown=None, max_retries=None, **options):
  489. """Retry the task, adding it to the back of the queue.
  490. Example:
  491. >>> from imaginary_twitter_lib import Twitter
  492. >>> from proj.celery import app
  493. >>> @app.task(bind=True)
  494. ... def tweet(self, auth, message):
  495. ... twitter = Twitter(oauth=auth)
  496. ... try:
  497. ... twitter.post_status_update(message)
  498. ... except twitter.FailWhale as exc:
  499. ... # Retry in 5 minutes.
  500. ... raise self.retry(countdown=60 * 5, exc=exc)
  501. Note:
  502. Although the task will never return above as `retry` raises an
  503. exception to notify the worker, we use `raise` in front of the
  504. retry to convey that the rest of the block won't be executed.
  505. Arguments:
  506. args (Tuple): Positional arguments to retry with.
  507. kwargs (Dict): Keyword arguments to retry with.
  508. exc (Exception): Custom exception to report when the max retry
  509. limit has been exceeded (default:
  510. :exc:`~@MaxRetriesExceededError`).
  511. If this argument is set and retry is called while
  512. an exception was raised (``sys.exc_info()`` is set)
  513. it will attempt to re-raise the current exception.
  514. If no exception was raised it will raise the ``exc``
  515. argument provided.
  516. countdown (float): Time in seconds to delay the retry for.
  517. eta (~datetime.datetime): Explicit time and date to run the
  518. retry at.
  519. max_retries (int): If set, overrides the default retry limit for
  520. this execution. Changes to this parameter don't propagate to
  521. subsequent task retry attempts. A value of :const:`None`,
  522. means "use the default", so if you want infinite retries you'd
  523. have to set the :attr:`max_retries` attribute of the task to
  524. :const:`None` first.
  525. time_limit (int): If set, overrides the default time limit.
  526. soft_time_limit (int): If set, overrides the default soft
  527. time limit.
  528. throw (bool): If this is :const:`False`, don't raise the
  529. :exc:`~@Retry` exception, that tells the worker to mark
  530. the task as being retried. Note that this means the task
  531. will be marked as failed if the task raises an exception,
  532. or successful if it returns after the retry call.
  533. **options (Any): Extra options to pass on to :meth:`apply_async`.
  534. Raises:
  535. celery.exceptions.Retry:
  536. To tell the worker that the task has been re-sent for retry.
  537. This always happens, unless the `throw` keyword argument
  538. has been explicitly set to :const:`False`, and is considered
  539. normal operation.
  540. """
  541. request = self.request
  542. retries = request.retries + 1
  543. max_retries = self.max_retries if max_retries is None else max_retries
  544. # Not in worker or emulated by (apply/always_eager),
  545. # so just raise the original exception.
  546. if request.called_directly:
  547. # raises orig stack if PyErr_Occurred,
  548. # and augments with exc' if that argument is defined.
  549. raise_with_context(exc or Retry('Task can be retried', None))
  550. if not eta and countdown is None:
  551. countdown = self.default_retry_delay
  552. is_eager = request.is_eager
  553. S = self.signature_from_request(
  554. request, args, kwargs,
  555. countdown=countdown, eta=eta, retries=retries,
  556. **options
  557. )
  558. if max_retries is not None and retries > max_retries:
  559. if exc:
  560. # On Py3: will augment any current exception with
  561. # the exc' argument provided (raise exc from orig)
  562. raise_with_context(exc)
  563. raise self.MaxRetriesExceededError(
  564. "Can't retry {0}[{1}] args:{2} kwargs:{3}".format(
  565. self.name, request.id, S.args, S.kwargs))
  566. ret = Retry(exc=exc, when=eta or countdown)
  567. if is_eager:
  568. # if task was executed eagerly using apply(),
  569. # then the retry must also be executed eagerly.
  570. S.apply().get()
  571. if throw:
  572. raise ret
  573. return ret
  574. try:
  575. S.apply_async()
  576. except Exception as exc:
  577. raise Reject(exc, requeue=False)
  578. if throw:
  579. raise ret
  580. return ret
  581. def apply(self, args=None, kwargs=None,
  582. link=None, link_error=None,
  583. task_id=None, retries=None, throw=None,
  584. logfile=None, loglevel=None, headers=None, **options):
  585. """Execute this task locally, by blocking until the task returns.
  586. Arguments:
  587. args (Tuple): positional arguments passed on to the task.
  588. kwargs (Dict): keyword arguments passed on to the task.
  589. throw (bool): Re-raise task exceptions.
  590. Defaults to the :setting:`task_eager_propagates` setting.
  591. Returns:
  592. celery.result.EagerResult: pre-evaluated result.
  593. """
  594. # trace imports Task, so need to import inline.
  595. from celery.app.trace import build_tracer
  596. app = self._get_app()
  597. args = args or ()
  598. kwargs = kwargs or {}
  599. task_id = task_id or uuid()
  600. retries = retries or 0
  601. if throw is None:
  602. throw = app.conf.task_eager_propagates
  603. # Make sure we get the task instance, not class.
  604. task = app._tasks[self.name]
  605. request = {
  606. 'id': task_id,
  607. 'retries': retries,
  608. 'is_eager': True,
  609. 'logfile': logfile,
  610. 'loglevel': loglevel or 0,
  611. 'hostname': gethostname(),
  612. 'callbacks': maybe_list(link),
  613. 'errbacks': maybe_list(link_error),
  614. 'headers': headers,
  615. 'delivery_info': {'is_eager': True},
  616. }
  617. tb = None
  618. tracer = build_tracer(
  619. task.name, task, eager=True,
  620. propagate=throw, app=self._get_app(),
  621. )
  622. ret = tracer(task_id, args, kwargs, request)
  623. retval = ret.retval
  624. if isinstance(retval, ExceptionInfo):
  625. retval, tb = retval.exception, retval.traceback
  626. state = states.SUCCESS if ret.info is None else ret.info.state
  627. return EagerResult(task_id, retval, state, traceback=tb)
  628. def AsyncResult(self, task_id, **kwargs):
  629. """Get AsyncResult instance for this kind of task.
  630. Arguments:
  631. task_id (str): Task id to get result for.
  632. """
  633. return self._get_app().AsyncResult(task_id, backend=self.backend,
  634. task_name=self.name, **kwargs)
  635. def signature(self, args=None, *starargs, **starkwargs):
  636. """Create signature.
  637. Returns:
  638. :class:`~celery.signature`: object for
  639. this task, wrapping arguments and execution options
  640. for a single task invocation.
  641. """
  642. starkwargs.setdefault('app', self.app)
  643. return signature(self, args, *starargs, **starkwargs)
  644. subtask = signature
  645. def s(self, *args, **kwargs):
  646. """Create signature.
  647. Shortcut for ``.s(*a, **k) -> .signature(a, k)``.
  648. """
  649. return self.signature(args, kwargs)
  650. def si(self, *args, **kwargs):
  651. """Create immutable signature.
  652. Shortcut for ``.si(*a, **k) -> .signature(a, k, immutable=True)``.
  653. """
  654. return self.signature(args, kwargs, immutable=True)
  655. def chunks(self, it, n):
  656. """Create a :class:`~celery.canvas.chunks` task for this task."""
  657. from celery import chunks
  658. return chunks(self.s(), it, n, app=self.app)
  659. def map(self, it):
  660. """Create a :class:`~celery.canvas.xmap` task from ``it``."""
  661. from celery import xmap
  662. return xmap(self.s(), it, app=self.app)
  663. def starmap(self, it):
  664. """Create a :class:`~celery.canvas.xstarmap` task from ``it``."""
  665. from celery import xstarmap
  666. return xstarmap(self.s(), it, app=self.app)
  667. def send_event(self, type_, retry=True, retry_policy=None, **fields):
  668. """Send monitoring event message.
  669. This can be used to add custom event types in :pypi:`Flower`
  670. and other monitors.
  671. Arguments:
  672. type_ (str): Type of event, e.g. ``"task-failed"``.
  673. Keyword Arguments:
  674. retry (bool): Retry sending the message
  675. if the connection is lost. Default is taken from the
  676. :setting:`task_publish_retry` setting.
  677. retry_policy (Mapping): Retry settings. Default is taken
  678. from the :setting:`task_publish_retry_policy` setting.
  679. **fields (Any): Map containing information about the event.
  680. Must be JSON serializable.
  681. """
  682. req = self.request
  683. if retry_policy is None:
  684. retry_policy = self.app.conf.task_publish_retry_policy
  685. with self.app.events.default_dispatcher(hostname=req.hostname) as d:
  686. return d.send(
  687. type_,
  688. uuid=req.id, retry=retry, retry_policy=retry_policy, **fields)
  689. def replace(self, sig):
  690. """Replace this task, with a new task inheriting the task id.
  691. .. versionadded:: 4.0
  692. Arguments:
  693. sig (~@Signature): signature to replace with.
  694. Raises:
  695. ~@Ignore: This is always raised, so the best practice
  696. is to always use ``raise self.replace(...)`` to convey
  697. to the reader that the task won't continue after being replaced.
  698. """
  699. chord = self.request.chord
  700. if 'chord' in sig.options:
  701. raise ImproperlyConfigured(
  702. "A signature replacing a task must not be part of a chord"
  703. )
  704. if isinstance(sig, group):
  705. sig |= self.app.tasks['celery.accumulate'].s(index=0).set(
  706. link=self.request.callbacks,
  707. link_error=self.request.errbacks,
  708. )
  709. if self.request.chain:
  710. for t in reversed(self.request.chain):
  711. sig |= signature(t, app=self.app)
  712. sig.set(
  713. chord=chord,
  714. group_id=self.request.group,
  715. root_id=self.request.root_id,
  716. )
  717. sig.freeze(self.request.id)
  718. sig.delay()
  719. raise Ignore('Replaced by new task')
  720. def add_to_chord(self, sig, lazy=False):
  721. """Add signature to the chord the current task is a member of.
  722. .. versionadded:: 4.0
  723. Currently only supported by the Redis result backend.
  724. Arguments:
  725. sig (~@Signature): Signature to extend chord with.
  726. lazy (bool): If enabled the new task won't actually be called,
  727. and ``sig.delay()`` must be called manually.
  728. """
  729. if not self.request.chord:
  730. raise ValueError('Current task is not member of any chord')
  731. sig.set(
  732. group_id=self.request.group,
  733. chord=self.request.chord,
  734. root_id=self.request.root_id,
  735. )
  736. result = sig.freeze()
  737. self.backend.add_to_chord(self.request.group, result)
  738. return sig.delay() if not lazy else sig
  739. def update_state(self, task_id=None, state=None, meta=None, **kwargs):
  740. """Update task state.
  741. Arguments:
  742. task_id (str): Id of the task to update.
  743. Defaults to the id of the current task.
  744. state (str): New state.
  745. meta (Dict): State meta-data.
  746. """
  747. if task_id is None:
  748. task_id = self.request.id
  749. self.backend.store_result(task_id, meta, state, **kwargs)
  750. def on_success(self, retval, task_id, args, kwargs):
  751. """Success handler.
  752. Run by the worker if the task executes successfully.
  753. Arguments:
  754. retval (Any): The return value of the task.
  755. task_id (str): Unique id of the executed task.
  756. args (Tuple): Original arguments for the executed task.
  757. kwargs (Dict): Original keyword arguments for the executed task.
  758. Returns:
  759. None: The return value of this handler is ignored.
  760. """
  761. def on_retry(self, exc, task_id, args, kwargs, einfo):
  762. """Retry handler.
  763. This is run by the worker when the task is to be retried.
  764. Arguments:
  765. exc (Exception): The exception sent to :meth:`retry`.
  766. task_id (str): Unique id of the retried task.
  767. args (Tuple): Original arguments for the retried task.
  768. kwargs (Dict): Original keyword arguments for the retried task.
  769. einfo (~billiard.einfo.ExceptionInfo): Exception information.
  770. Returns:
  771. None: The return value of this handler is ignored.
  772. """
  773. def on_failure(self, exc, task_id, args, kwargs, einfo):
  774. """Error handler.
  775. This is run by the worker when the task fails.
  776. Arguments:
  777. exc (Exception): The exception raised by the task.
  778. task_id (str): Unique id of the failed task.
  779. args (Tuple): Original arguments for the task that failed.
  780. kwargs (Dict): Original keyword arguments for the task that failed.
  781. einfo (~billiard.einfo.ExceptionInfo): Exception information.
  782. Returns:
  783. None: The return value of this handler is ignored.
  784. """
  785. def after_return(self, status, retval, task_id, args, kwargs, einfo):
  786. """Handler called after the task returns.
  787. Arguments:
  788. status (str): Current task state.
  789. retval (Any): Task return value/exception.
  790. task_id (str): Unique id of the task.
  791. args (Tuple): Original arguments for the task.
  792. kwargs (Dict): Original keyword arguments for the task.
  793. einfo (~billiard.einfo.ExceptionInfo): Exception information.
  794. Returns:
  795. None: The return value of this handler is ignored.
  796. """
  797. def add_trail(self, result):
  798. if self.trail:
  799. self.request.children.append(result)
  800. return result
  801. def push_request(self, *args, **kwargs):
  802. self.request_stack.push(Context(*args, **kwargs))
  803. def pop_request(self):
  804. self.request_stack.pop()
  805. def __repr__(self):
  806. """``repr(task)``."""
  807. return _reprtask(self, R_INSTANCE)
  808. def _get_request(self):
  809. """Get current request object."""
  810. req = self.request_stack.top
  811. if req is None:
  812. # task was not called, but some may still expect a request
  813. # to be there, perhaps that should be deprecated.
  814. if self._default_request is None:
  815. self._default_request = Context()
  816. return self._default_request
  817. return req
  818. request = property(_get_request)
  819. def _get_exec_options(self):
  820. if self._exec_options is None:
  821. self._exec_options = extract_exec_options(self)
  822. return self._exec_options
  823. @property
  824. def backend(self):
  825. backend = self._backend
  826. if backend is None:
  827. return self.app.backend
  828. return backend
  829. @backend.setter
  830. def backend(self, value): # noqa
  831. self._backend = value
  832. @property
  833. def __name__(self):
  834. return self.__class__.__name__
  835. BaseTask = Task # noqa: E305 XXX compat alias