base.py 43 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191119211931194119511961197119811991200120112021203120412051206120712081209121012111212121312141215121612171218
  1. # -*- coding: utf-8 -*-
  2. """Actual App instance implementation."""
  3. import os
  4. import threading
  5. import warnings
  6. from collections import UserDict, defaultdict, deque
  7. from operator import attrgetter
  8. from kombu import pools
  9. from kombu.clocks import LamportClock
  10. from kombu.common import oid_from
  11. from kombu.utils.compat import register_after_fork
  12. from kombu.utils.objects import cached_property
  13. from kombu.utils.uuid import uuid
  14. from vine import starpromise
  15. from vine.utils import wraps
  16. from celery import platforms
  17. from celery import signals
  18. from celery._state import (
  19. _task_stack, get_current_app, _set_current_app, set_default_app,
  20. _register_app, _deregister_app,
  21. get_current_worker_task, connect_on_app_finalize,
  22. _announce_app_finalized,
  23. )
  24. from celery.exceptions import AlwaysEagerIgnored, ImproperlyConfigured
  25. from celery.loaders import get_loader_cls
  26. from celery.local import PromiseProxy, maybe_evaluate
  27. from celery.utils import abstract
  28. from celery.utils.collections import AttributeDictMixin
  29. from celery.utils.dispatch import Signal
  30. from celery.utils.functional import first, maybe_list, head_from_fun
  31. from celery.utils.time import timezone
  32. from celery.utils.imports import gen_task_name, instantiate, symbol_by_name
  33. from celery.utils.log import get_logger
  34. from celery.utils.objects import FallbackContext, mro_lookup
  35. from .annotations import prepare as prepare_annotations
  36. from . import backends
  37. from .defaults import find_deprecated_settings
  38. from .registry import TaskRegistry
  39. from .utils import (
  40. AppPickler, Settings,
  41. bugreport, _unpickle_app, _unpickle_app_v2,
  42. _old_key_to_new, _new_key_to_old,
  43. appstr, detect_settings,
  44. )
  45. # Load all builtin tasks
  46. from . import builtins # noqa
  47. __all__ = ['Celery']
  48. logger = get_logger(__name__)
  49. BUILTIN_FIXUPS = {
  50. 'celery.fixups.django:fixup',
  51. }
  52. USING_EXECV = os.environ.get('FORKED_BY_MULTIPROCESSING')
  53. ERR_ENVVAR_NOT_SET = """
  54. The environment variable {0!r} is not set,
  55. and as such the configuration could not be loaded.
  56. Please set this variable and make sure it points to
  57. a valid configuration module.
  58. Example:
  59. {0}="proj.celeryconfig"
  60. """
  61. def app_has_custom(app, attr):
  62. """Return true if app has customized method `attr`.
  63. Note:
  64. This is used for optimizations in cases where we know
  65. how the default behavior works, but need to account
  66. for someone using inheritance to override a method/property.
  67. """
  68. return mro_lookup(app.__class__, attr, stop={Celery, object},
  69. monkey_patched=[__name__])
  70. def _unpickle_appattr(reverse_name, args):
  71. """Unpickle app."""
  72. # Given an attribute name and a list of args, gets
  73. # the attribute from the current app and calls it.
  74. return get_current_app()._rgetattr(reverse_name)(*args)
  75. def _after_fork_cleanup_app(app):
  76. # This is used with multiprocessing.register_after_fork,
  77. # so need to be at module level.
  78. try:
  79. app._after_fork()
  80. except Exception as exc: # pylint: disable=broad-except
  81. logger.info('after forker raised exception: %r', exc, exc_info=1)
  82. class PendingConfiguration(UserDict, AttributeDictMixin):
  83. # `app.conf` will be of this type before being explicitly configured,
  84. # meaning the app can keep any configuration set directly
  85. # on `app.conf` before the `app.config_from_object` call.
  86. #
  87. # accessing any key will finalize the configuration,
  88. # replacing `app.conf` with a concrete settings object.
  89. callback = None
  90. _data = None
  91. def __init__(self, conf, callback):
  92. object.__setattr__(self, '_data', conf)
  93. object.__setattr__(self, 'callback', callback)
  94. def __setitem__(self, key, value):
  95. self._data[key] = value
  96. def clear(self):
  97. self._data.clear()
  98. def update(self, *args, **kwargs):
  99. self._data.update(*args, **kwargs)
  100. def setdefault(self, *args, **kwargs):
  101. return self._data.setdefault(*args, **kwargs)
  102. def __contains__(self, key):
  103. # XXX will not show finalized configuration
  104. # setdefault will cause `key in d` to happen,
  105. # so for setdefault to be lazy, so does contains.
  106. return key in self._data
  107. def __len__(self):
  108. return len(self.data)
  109. def __repr__(self):
  110. return repr(self.data)
  111. @cached_property
  112. def data(self):
  113. return self.callback()
  114. @abstract.AbstractApp.register
  115. class Celery:
  116. """Celery application.
  117. Arguments:
  118. main (str): Name of the main module if running as `__main__`.
  119. This is used as the prefix for auto-generated task names.
  120. Keyword Arguments:
  121. broker (str): URL of the default broker used.
  122. backend (Union[str, type]): The result store backend class,
  123. or the name of the backend class to use.
  124. Default is the value of the :setting:`result_backend` setting.
  125. autofinalize (bool): If set to False a :exc:`RuntimeError`
  126. will be raised if the task registry or tasks are used before
  127. the app is finalized.
  128. set_as_current (bool): Make this the global current app.
  129. include (List[str]): List of modules every worker should import.
  130. amqp (Union[str, type]): AMQP object or class name.
  131. events (Union[str, type]): Events object or class name.
  132. log (Union[str, type]): Log object or class name.
  133. control (Union[str, type]): Control object or class name.
  134. tasks (Union[str, type]): A task registry, or the name of
  135. a registry class.
  136. fixups (List[str]): List of fix-up plug-ins (e.g., see
  137. :mod:`celery.fixups.django`).
  138. config_source (Union[str, type]): Take configuration from a class,
  139. or object. Attributes may include any setings described in
  140. the documentation.
  141. """
  142. #: This is deprecated, use :meth:`reduce_keys` instead
  143. Pickler = AppPickler
  144. SYSTEM = platforms.SYSTEM
  145. IS_macOS, IS_WINDOWS = platforms.IS_macOS, platforms.IS_WINDOWS
  146. #: Name of the `__main__` module. Required for standalone scripts.
  147. #:
  148. #: If set this will be used instead of `__main__` when automatically
  149. #: generating task names.
  150. main = None
  151. #: Custom options for command-line programs.
  152. #: See :ref:`extending-commandoptions`
  153. user_options = None
  154. #: Custom bootsteps to extend and modify the worker.
  155. #: See :ref:`extending-bootsteps`.
  156. steps = None
  157. builtin_fixups = BUILTIN_FIXUPS
  158. amqp_cls = 'celery.app.amqp:AMQP'
  159. backend_cls = None
  160. events_cls = 'celery.app.events:Events'
  161. loader_cls = None
  162. log_cls = 'celery.app.log:Logging'
  163. control_cls = 'celery.app.control:Control'
  164. task_cls = 'celery.app.task:Task'
  165. registry_cls = TaskRegistry
  166. _fixups = None
  167. _pool = None
  168. _conf = None
  169. _after_fork_registered = False
  170. #: Signal sent when app is loading configuration.
  171. on_configure = None
  172. #: Signal sent after app has prepared the configuration.
  173. on_after_configure = None
  174. #: Signal sent after app has been finalized.
  175. on_after_finalize = None
  176. #: Signal sent by every new process after fork.
  177. on_after_fork = None
  178. def __init__(self, main=None, loader=None, backend=None,
  179. amqp=None, events=None, log=None, control=None,
  180. set_as_current=True, tasks=None, broker=None, include=None,
  181. changes=None, config_source=None, fixups=None, task_cls=None,
  182. autofinalize=True, namespace=None, **kwargs):
  183. self.clock = LamportClock()
  184. self.main = main
  185. self.amqp_cls = amqp or self.amqp_cls
  186. self.events_cls = events or self.events_cls
  187. self.loader_cls = loader or self._get_default_loader()
  188. self.log_cls = log or self.log_cls
  189. self.control_cls = control or self.control_cls
  190. self.task_cls = task_cls or self.task_cls
  191. self.set_as_current = set_as_current
  192. self.registry_cls = symbol_by_name(self.registry_cls)
  193. self.user_options = defaultdict(set)
  194. self.steps = defaultdict(set)
  195. self.autofinalize = autofinalize
  196. self.namespace = namespace
  197. self.configured = False
  198. self._config_source = config_source
  199. self._pending_defaults = deque()
  200. self._pending_periodic_tasks = deque()
  201. self.finalized = False
  202. self._finalize_mutex = threading.Lock()
  203. self._pending = deque()
  204. self._tasks = tasks
  205. if not isinstance(self._tasks, TaskRegistry):
  206. self._tasks = TaskRegistry(self._tasks or {})
  207. # If the class defines a custom __reduce_args__ we need to use
  208. # the old way of pickling apps: pickling a list of
  209. # args instead of the new way that pickles a dict of keywords.
  210. self._using_v1_reduce = app_has_custom(self, '__reduce_args__')
  211. # these options are moved to the config to
  212. # simplify pickling of the app object.
  213. self._preconf = changes or {}
  214. self._preconf_set_by_auto = set()
  215. self.__autoset('broker_url', broker)
  216. self.__autoset('result_backend', backend)
  217. self.__autoset('include', include)
  218. self._conf = Settings(
  219. PendingConfiguration(
  220. self._preconf, self._finalize_pending_conf),
  221. prefix=self.namespace,
  222. keys=(_old_key_to_new, _new_key_to_old),
  223. )
  224. # - Apply fix-ups.
  225. self.fixups = set(self.builtin_fixups) if fixups is None else fixups
  226. # ...store fixup instances in _fixups to keep weakrefs alive.
  227. self._fixups = [symbol_by_name(fixup)(self) for fixup in self.fixups]
  228. if self.set_as_current:
  229. self.set_current()
  230. # Signals
  231. if self.on_configure is None:
  232. # used to be a method pre 4.0
  233. self.on_configure = Signal()
  234. self.on_after_configure = Signal()
  235. self.on_after_finalize = Signal()
  236. self.on_after_fork = Signal()
  237. self.on_init()
  238. _register_app(self)
  239. def _get_default_loader(self):
  240. # the --loader command-line argument sets the environment variable.
  241. return (
  242. os.environ.get('CELERY_LOADER') or
  243. self.loader_cls or
  244. 'celery.loaders.app:AppLoader'
  245. )
  246. def on_init(self):
  247. """Optional callback called at init."""
  248. pass
  249. def __autoset(self, key, value):
  250. if value:
  251. self._preconf[key] = value
  252. self._preconf_set_by_auto.add(key)
  253. def set_current(self):
  254. """Make this the current app for this thread."""
  255. _set_current_app(self)
  256. def set_default(self):
  257. """Make this the default app for all threads."""
  258. set_default_app(self)
  259. def _ensure_after_fork(self):
  260. if not self._after_fork_registered:
  261. self._after_fork_registered = True
  262. if register_after_fork is not None:
  263. register_after_fork(self, _after_fork_cleanup_app)
  264. def close(self):
  265. """Clean up after the application.
  266. Only necessary for dynamically created apps, and you should
  267. probably use the :keyword:`with` statement instead.
  268. Example:
  269. >>> with Celery(set_as_current=False) as app:
  270. ... with app.connection_for_write() as conn:
  271. ... pass
  272. """
  273. self._pool = None
  274. _deregister_app(self)
  275. def start(self, argv=None):
  276. """Run :program:`celery` using `argv`.
  277. Uses :data:`sys.argv` if `argv` is not specified.
  278. """
  279. return instantiate(
  280. 'celery.bin.celery:CeleryCommand', app=self
  281. ).execute_from_commandline(argv)
  282. def worker_main(self, argv=None):
  283. """Run :program:`celery worker` using `argv`.
  284. Uses :data:`sys.argv` if `argv` is not specified.
  285. """
  286. return instantiate(
  287. 'celery.bin.worker:worker', app=self
  288. ).execute_from_commandline(argv)
  289. def task(self, *args, **opts):
  290. """Decorator to create a task class out of any callable.
  291. Examples:
  292. .. code-block:: python
  293. @app.task
  294. def refresh_feed(url):
  295. store_feed(feedparser.parse(url))
  296. with setting extra options:
  297. .. code-block:: python
  298. @app.task(exchange='feeds')
  299. def refresh_feed(url):
  300. return store_feed(feedparser.parse(url))
  301. Note:
  302. App Binding: For custom apps the task decorator will return
  303. a proxy object, so that the act of creating the task is not
  304. performed until the task is used or the task registry is accessed.
  305. If you're depending on binding to be deferred, then you must
  306. not access any attributes on the returned object until the
  307. application is fully set up (finalized).
  308. """
  309. if USING_EXECV and opts.get('lazy', True):
  310. # When using execv the task in the original module will point to a
  311. # different app, so doing things like 'add.request' will point to
  312. # a different task instance. This makes sure it will always use
  313. # the task instance from the current app.
  314. # Really need a better solution for this :(
  315. from . import shared_task
  316. return shared_task(*args, lazy=False, **opts)
  317. def inner_create_task_cls(shared=True, filter=None, lazy=True, **opts):
  318. _filt = filter # stupid 2to3
  319. def _create_task_cls(fun):
  320. if shared:
  321. def cons(app):
  322. return app._task_from_fun(fun, **opts)
  323. cons.__name__ = fun.__name__
  324. connect_on_app_finalize(cons)
  325. if not lazy or self.finalized:
  326. ret = self._task_from_fun(fun, **opts)
  327. else:
  328. # return a proxy object that evaluates on first use
  329. ret = PromiseProxy(self._task_from_fun, (fun,), opts,
  330. __doc__=fun.__doc__)
  331. self._pending.append(ret)
  332. if _filt:
  333. return _filt(ret)
  334. return ret
  335. return _create_task_cls
  336. if len(args) == 1:
  337. if callable(args[0]):
  338. return inner_create_task_cls(**opts)(*args)
  339. raise TypeError('argument 1 to @task() must be a callable')
  340. if args:
  341. raise TypeError(
  342. '@task() takes exactly 1 argument ({0} given)'.format(
  343. sum([len(args), len(opts)])))
  344. return inner_create_task_cls(**opts)
  345. def _task_from_fun(self, fun, name=None, base=None, bind=False, **options):
  346. if not self.finalized and not self.autofinalize:
  347. raise RuntimeError('Contract breach: app not finalized')
  348. name = name or self.gen_task_name(fun.__name__, fun.__module__)
  349. base = base or self.Task
  350. if name not in self._tasks:
  351. run = fun if bind else staticmethod(fun)
  352. task = type(fun.__name__, (base,), dict({
  353. 'app': self,
  354. 'name': name,
  355. 'run': run,
  356. '_decorated': True,
  357. '__doc__': fun.__doc__,
  358. '__module__': fun.__module__,
  359. '__header__': staticmethod(head_from_fun(fun, bound=bind)),
  360. '__wrapped__': run}, **options))()
  361. # for some reason __qualname__ cannot be set in type()
  362. # so we have to set it here.
  363. try:
  364. task.__qualname__ = fun.__qualname__
  365. except AttributeError:
  366. pass
  367. self._tasks[task.name] = task
  368. task.bind(self) # connects task to this app
  369. autoretry_for = tuple(options.get('autoretry_for', ()))
  370. retry_kwargs = options.get('retry_kwargs', {})
  371. if autoretry_for and not hasattr(task, '_orig_run'):
  372. @wraps(task.run)
  373. def run(*args, **kwargs):
  374. try:
  375. return task._orig_run(*args, **kwargs)
  376. except autoretry_for as exc:
  377. raise task.retry(exc=exc, **retry_kwargs)
  378. task._orig_run, task.run = task.run, run
  379. else:
  380. task = self._tasks[name]
  381. return task
  382. def gen_task_name(self, name, module):
  383. return gen_task_name(self, name, module)
  384. def finalize(self, auto=False):
  385. """Finalize the app.
  386. This loads built-in tasks, evaluates pending task decorators,
  387. reads configuration, etc.
  388. """
  389. with self._finalize_mutex:
  390. if not self.finalized:
  391. if auto and not self.autofinalize:
  392. raise RuntimeError('Contract breach: app not finalized')
  393. self.finalized = True
  394. _announce_app_finalized(self)
  395. pending = self._pending
  396. while pending:
  397. maybe_evaluate(pending.popleft())
  398. for task in self._tasks.values():
  399. task.bind(self)
  400. self.on_after_finalize.send(sender=self)
  401. def add_defaults(self, fun):
  402. """Add default configuration from dict ``d``.
  403. If the argument is a callable function then it will be regarded
  404. as a promise, and it won't be loaded until the configuration is
  405. actually needed.
  406. This method can be compared to:
  407. .. code-block:: pycon
  408. >>> celery.conf.update(d)
  409. with a difference that 1) no copy will be made and 2) the dict will
  410. not be transferred when the worker spawns child processes, so
  411. it's important that the same configuration happens at import time
  412. when pickle restores the object on the other side.
  413. """
  414. if not callable(fun):
  415. d, fun = fun, lambda: d
  416. if self.configured:
  417. return self._conf.add_defaults(fun())
  418. self._pending_defaults.append(fun)
  419. def config_from_object(self, obj,
  420. silent=False, force=False, namespace=None):
  421. """Read configuration from object.
  422. Object is either an actual object or the name of a module to import.
  423. Example:
  424. >>> celery.config_from_object('myapp.celeryconfig')
  425. >>> from myapp import celeryconfig
  426. >>> celery.config_from_object(celeryconfig)
  427. Arguments:
  428. silent (bool): If true then import errors will be ignored.
  429. force (bool): Force reading configuration immediately.
  430. By default the configuration will be read only when required.
  431. """
  432. self._config_source = obj
  433. self.namespace = namespace or self.namespace
  434. if force or self.configured:
  435. self._conf = None
  436. if self.loader.config_from_object(obj, silent=silent):
  437. return self.conf
  438. def config_from_envvar(self, variable_name, silent=False, force=False):
  439. """Read configuration from environment variable.
  440. The value of the environment variable must be the name
  441. of a module to import.
  442. Example:
  443. >>> os.environ['CELERY_CONFIG_MODULE'] = 'myapp.celeryconfig'
  444. >>> celery.config_from_envvar('CELERY_CONFIG_MODULE')
  445. """
  446. module_name = os.environ.get(variable_name)
  447. if not module_name:
  448. if silent:
  449. return False
  450. raise ImproperlyConfigured(
  451. ERR_ENVVAR_NOT_SET.strip().format(variable_name))
  452. return self.config_from_object(module_name, silent=silent, force=force)
  453. def config_from_cmdline(self, argv, namespace='celery'):
  454. self._conf.update(
  455. self.loader.cmdline_config_parser(argv, namespace)
  456. )
  457. def setup_security(self, allowed_serializers=None, key=None, cert=None,
  458. store=None, digest='sha1', serializer='json'):
  459. """Setup the message-signing serializer.
  460. This will affect all application instances (a global operation).
  461. Disables untrusted serializers and if configured to use the ``auth``
  462. serializer will register the ``auth`` serializer with the provided
  463. settings into the Kombu serializer registry.
  464. Arguments:
  465. allowed_serializers (Set[str]): List of serializer names, or
  466. content_types that should be exempt from being disabled.
  467. key (str): Name of private key file to use.
  468. Defaults to the :setting:`security_key` setting.
  469. cert (str): Name of certificate file to use.
  470. Defaults to the :setting:`security_certificate` setting.
  471. store (str): Directory containing certificates.
  472. Defaults to the :setting:`security_cert_store` setting.
  473. digest (str): Digest algorithm used when signing messages.
  474. Default is ``sha1``.
  475. serializer (str): Serializer used to encode messages after
  476. they've been signed. See :setting:`task_serializer` for
  477. the serializers supported. Default is ``json``.
  478. """
  479. from celery.security import setup_security
  480. return setup_security(allowed_serializers, key, cert,
  481. store, digest, serializer, app=self)
  482. def autodiscover_tasks(self, packages=None,
  483. related_name='tasks', force=False):
  484. """Auto-discover task modules.
  485. Searches a list of packages for a "tasks.py" module (or use
  486. related_name argument).
  487. If the name is empty, this will be delegated to fix-ups (e.g., Django).
  488. For example if you have a directory layout like this:
  489. .. code-block:: text
  490. foo/__init__.py
  491. tasks.py
  492. models.py
  493. bar/__init__.py
  494. tasks.py
  495. models.py
  496. baz/__init__.py
  497. models.py
  498. Then calling ``app.autodiscover_tasks(['foo', bar', 'baz'])`` will
  499. result in the modules ``foo.tasks`` and ``bar.tasks`` being imported.
  500. Arguments:
  501. packages (List[str]): List of packages to search.
  502. This argument may also be a callable, in which case the
  503. value returned is used (for lazy evaluation).
  504. related_name (str): The name of the module to find. Defaults
  505. to "tasks": meaning "look for 'module.tasks' for every
  506. module in ``packages``."
  507. force (bool): By default this call is lazy so that the actual
  508. auto-discovery won't happen until an application imports
  509. the default modules. Forcing will cause the auto-discovery
  510. to happen immediately.
  511. """
  512. if force:
  513. return self._autodiscover_tasks(packages, related_name)
  514. signals.import_modules.connect(starpromise(
  515. self._autodiscover_tasks, packages, related_name,
  516. ), weak=False, sender=self)
  517. def _autodiscover_tasks(self, packages, related_name, **kwargs):
  518. if packages:
  519. return self._autodiscover_tasks_from_names(packages, related_name)
  520. return self._autodiscover_tasks_from_fixups(related_name)
  521. def _autodiscover_tasks_from_names(self, packages, related_name):
  522. # packages argument can be lazy
  523. return self.loader.autodiscover_tasks(
  524. packages() if callable(packages) else packages, related_name,
  525. )
  526. def _autodiscover_tasks_from_fixups(self, related_name):
  527. return self._autodiscover_tasks_from_names([
  528. pkg for fixup in self._fixups
  529. for pkg in fixup.autodiscover_tasks()
  530. if hasattr(fixup, 'autodiscover_tasks')
  531. ], related_name=related_name)
  532. def send_task(self, name, args=None, kwargs=None, countdown=None,
  533. eta=None, task_id=None, producer=None, connection=None,
  534. router=None, result_cls=None, expires=None,
  535. link=None, link_error=None,
  536. add_to_parent=True, group_id=None, retries=0, chord=None,
  537. reply_to=None, time_limit=None, soft_time_limit=None,
  538. root_id=None, parent_id=None, route_name=None,
  539. shadow=None, chain=None, task_type=None, **options):
  540. """Send task by name.
  541. Supports the same arguments as :meth:`@-Task.apply_async`.
  542. Arguments:
  543. name (str): Name of task to call (e.g., `"tasks.add"`).
  544. result_cls (~@AsyncResult): Specify custom result class.
  545. """
  546. parent = have_parent = None
  547. amqp = self.amqp
  548. task_id = task_id or uuid()
  549. router = router or amqp.router
  550. conf = self.conf
  551. if conf.task_always_eager: # pragma: no cover
  552. warnings.warn(AlwaysEagerIgnored(
  553. 'task_always_eager has no effect on send_task',
  554. ), stacklevel=2)
  555. options = router.route(
  556. options, route_name or name, args, kwargs, task_type)
  557. if root_id is None:
  558. parent, have_parent = self.current_worker_task, True
  559. if parent:
  560. root_id = parent.request.root_id or parent.request.id
  561. if parent_id is None:
  562. if not have_parent:
  563. parent, have_parent = self.current_worker_task, True
  564. if parent:
  565. parent_id = parent.request.id
  566. message = amqp.create_task_message(
  567. task_id, name, args, kwargs, countdown, eta, group_id,
  568. expires, retries, chord,
  569. maybe_list(link), maybe_list(link_error),
  570. reply_to or self.oid, time_limit, soft_time_limit,
  571. self.conf.task_send_sent_event,
  572. root_id, parent_id, shadow, chain,
  573. )
  574. if connection:
  575. producer = amqp.Producer(connection)
  576. with self.producer_or_acquire(producer) as P:
  577. with P.connection._reraise_as_library_errors():
  578. self.backend.on_task_call(P, task_id)
  579. amqp.send_task_message(P, name, message, **options)
  580. result = (result_cls or self.AsyncResult)(task_id)
  581. if add_to_parent:
  582. if not have_parent:
  583. parent, have_parent = self.current_worker_task, True
  584. if parent:
  585. parent.add_trail(result)
  586. return result
  587. def connection_for_read(self, url=None, **kwargs):
  588. """Establish connection used for consuming.
  589. See Also:
  590. :meth:`connection` for supported arguments.
  591. """
  592. return self._connection(url or self.conf.broker_read_url, **kwargs)
  593. def connection_for_write(self, url=None, **kwargs):
  594. """Establish connection used for producing.
  595. See Also:
  596. :meth:`connection` for supported arguments.
  597. """
  598. return self._connection(url or self.conf.broker_write_url, **kwargs)
  599. def connection(self, hostname=None, userid=None, password=None,
  600. virtual_host=None, port=None, ssl=None,
  601. connect_timeout=None, transport=None,
  602. transport_options=None, heartbeat=None,
  603. login_method=None, failover_strategy=None, **kwargs):
  604. """Establish a connection to the message broker.
  605. Please use :meth:`connection_for_read` and
  606. :meth:`connection_for_write` instead, to convey the intent
  607. of use for this connection.
  608. Arguments:
  609. url: Either the URL or the hostname of the broker to use.
  610. hostname (str): URL, Hostname/IP-address of the broker.
  611. If a URL is used, then the other argument below will
  612. be taken from the URL instead.
  613. userid (str): Username to authenticate as.
  614. password (str): Password to authenticate with
  615. virtual_host (str): Virtual host to use (domain).
  616. port (int): Port to connect to.
  617. ssl (bool, Dict): Defaults to the :setting:`broker_use_ssl`
  618. setting.
  619. transport (str): defaults to the :setting:`broker_transport`
  620. setting.
  621. transport_options (Dict): Dictionary of transport specific options.
  622. heartbeat (int): AMQP Heartbeat in seconds (``pyamqp`` only).
  623. login_method (str): Custom login method to use (AMQP only).
  624. failover_strategy (str, Callable): Custom failover strategy.
  625. **kwargs: Additional arguments to :class:`kombu.Connection`.
  626. Returns:
  627. kombu.Connection: the lazy connection instance.
  628. """
  629. return self.connection_for_write(
  630. hostname or self.conf.broker_write_url,
  631. userid=userid, password=password,
  632. virtual_host=virtual_host, port=port, ssl=ssl,
  633. connect_timeout=connect_timeout, transport=transport,
  634. transport_options=transport_options, heartbeat=heartbeat,
  635. login_method=login_method, failover_strategy=failover_strategy,
  636. **kwargs
  637. )
  638. def _connection(self, url, userid=None, password=None,
  639. virtual_host=None, port=None, ssl=None,
  640. connect_timeout=None, transport=None,
  641. transport_options=None, heartbeat=None,
  642. login_method=None, failover_strategy=None, **kwargs):
  643. conf = self.conf
  644. return self.amqp.Connection(
  645. url,
  646. userid or conf.broker_user,
  647. password or conf.broker_password,
  648. virtual_host or conf.broker_vhost,
  649. port or conf.broker_port,
  650. transport=transport or conf.broker_transport,
  651. ssl=self.either('broker_use_ssl', ssl),
  652. heartbeat=heartbeat,
  653. login_method=login_method or conf.broker_login_method,
  654. failover_strategy=(
  655. failover_strategy or conf.broker_failover_strategy
  656. ),
  657. transport_options=dict(
  658. conf.broker_transport_options, **transport_options or {}
  659. ),
  660. connect_timeout=self.either(
  661. 'broker_connection_timeout', connect_timeout
  662. ),
  663. )
  664. broker_connection = connection
  665. def _acquire_connection(self, pool=True):
  666. """Helper for :meth:`connection_or_acquire`."""
  667. if pool:
  668. return self.pool.acquire(block=True)
  669. return self.connection_for_write()
  670. def connection_or_acquire(self, connection=None, pool=True, *_, **__):
  671. """Context used to acquire a connection from the pool.
  672. For use within a :keyword:`with` statement to get a connection
  673. from the pool if one is not already provided.
  674. Arguments:
  675. connection (kombu.Connection): If not provided, a connection
  676. will be acquired from the connection pool.
  677. """
  678. return FallbackContext(connection, self._acquire_connection, pool=pool)
  679. def producer_or_acquire(self, producer=None):
  680. """Context used to acquire a producer from the pool.
  681. For use within a :keyword:`with` statement to get a producer
  682. from the pool if one is not already provided
  683. Arguments:
  684. producer (kombu.Producer): If not provided, a producer
  685. will be acquired from the producer pool.
  686. """
  687. return FallbackContext(
  688. producer, self.producer_pool.acquire, block=True,
  689. )
  690. def prepare_config(self, c):
  691. """Prepare configuration before it is merged with the defaults."""
  692. return find_deprecated_settings(c)
  693. def now(self):
  694. """Return the current time and date as a datetime."""
  695. return self.loader.now(utc=self.conf.enable_utc)
  696. def select_queues(self, queues=None):
  697. """Select subset of queues.
  698. Arguments:
  699. queues (Sequence[str]): a list of queue names to keep.
  700. """
  701. return self.amqp.queues.select(queues)
  702. def either(self, default_key, *defaults):
  703. """Get key from configuration or use default values.
  704. Fallback to the value of a configuration key if none of the
  705. `*values` are true.
  706. """
  707. return first(None, [
  708. first(None, defaults), starpromise(self.conf.get, default_key),
  709. ])
  710. def bugreport(self):
  711. """Return information useful in bug reports."""
  712. return bugreport(self)
  713. def _get_backend(self):
  714. backend, url = backends.by_url(
  715. self.backend_cls or self.conf.result_backend,
  716. self.loader)
  717. return backend(app=self, url=url)
  718. def _finalize_pending_conf(self):
  719. """Get config value by key and finalize loading the configuration.
  720. Note:
  721. This is used by PendingConfiguration:
  722. as soon as you access a key the configuration is read.
  723. """
  724. conf = self._conf = self._load_config()
  725. return conf
  726. def _load_config(self):
  727. if isinstance(self.on_configure, Signal):
  728. self.on_configure.send(sender=self)
  729. else:
  730. # used to be a method pre 4.0
  731. self.on_configure()
  732. if self._config_source:
  733. self.loader.config_from_object(self._config_source)
  734. self.configured = True
  735. settings = detect_settings(
  736. self.prepare_config(self.loader.conf), self._preconf,
  737. ignore_keys=self._preconf_set_by_auto, prefix=self.namespace,
  738. )
  739. if self._conf is not None:
  740. # replace in place, as someone may have referenced app.conf,
  741. # done some changes, accessed a key, and then try to make more
  742. # changes to the reference and not the finalized value.
  743. self._conf.swap_with(settings)
  744. else:
  745. self._conf = settings
  746. # load lazy config dict initializers.
  747. pending_def = self._pending_defaults
  748. while pending_def:
  749. self._conf.add_defaults(maybe_evaluate(pending_def.popleft()()))
  750. # load lazy periodic tasks
  751. pending_beat = self._pending_periodic_tasks
  752. while pending_beat:
  753. self._add_periodic_task(*pending_beat.popleft())
  754. self.on_after_configure.send(sender=self, source=self._conf)
  755. return self._conf
  756. def _after_fork(self):
  757. self._pool = None
  758. try:
  759. self.__dict__['amqp']._producer_pool = None
  760. except (AttributeError, KeyError):
  761. pass
  762. self.on_after_fork.send(sender=self)
  763. def signature(self, *args, **kwargs):
  764. """Return a new :class:`~celery.Signature` bound to this app."""
  765. kwargs['app'] = self
  766. return self._canvas.signature(*args, **kwargs)
  767. def add_periodic_task(self, schedule, sig,
  768. args=(), kwargs=(), name=None, **opts):
  769. key, entry = self._sig_to_periodic_task_entry(
  770. schedule, sig, args, kwargs, name, **opts)
  771. if self.configured:
  772. self._add_periodic_task(key, entry)
  773. else:
  774. self._pending_periodic_tasks.append((key, entry))
  775. return key
  776. def _sig_to_periodic_task_entry(self, schedule, sig,
  777. args=(), kwargs={}, name=None, **opts):
  778. sig = (sig.clone(args, kwargs)
  779. if isinstance(sig, abstract.CallableSignature)
  780. else self.signature(sig.name, args, kwargs))
  781. return name or repr(sig), {
  782. 'schedule': schedule,
  783. 'task': sig.name,
  784. 'args': sig.args,
  785. 'kwargs': sig.kwargs,
  786. 'options': dict(sig.options, **opts),
  787. }
  788. def _add_periodic_task(self, key, entry):
  789. self._conf.beat_schedule[key] = entry
  790. def create_task_cls(self):
  791. """Create a base task class bound to this app."""
  792. return self.subclass_with_self(
  793. self.task_cls, name='Task', attribute='_app',
  794. keep_reduce=True, abstract=True,
  795. )
  796. def subclass_with_self(self, Class, name=None, attribute='app',
  797. reverse=None, keep_reduce=False, **kw):
  798. """Subclass an app-compatible class.
  799. App-compatible means that the class has a class attribute that
  800. provides the default app it should use, for example:
  801. ``class Foo: app = None``.
  802. Arguments:
  803. Class (type): The app-compatible class to subclass.
  804. name (str): Custom name for the target class.
  805. attribute (str): Name of the attribute holding the app,
  806. Default is 'app'.
  807. reverse (str): Reverse path to this object used for pickling
  808. purposes. For example, to get ``app.AsyncResult``,
  809. use ``"AsyncResult"``.
  810. keep_reduce (bool): If enabled a custom ``__reduce__``
  811. implementation won't be provided.
  812. """
  813. Class = symbol_by_name(Class)
  814. reverse = reverse if reverse else Class.__name__
  815. def __reduce__(self):
  816. return _unpickle_appattr, (reverse, self.__reduce_args__())
  817. attrs = dict(
  818. {attribute: self},
  819. __module__=Class.__module__,
  820. __doc__=Class.__doc__,
  821. **kw)
  822. if not keep_reduce:
  823. attrs['__reduce__'] = __reduce__
  824. return type(name or Class.__name__, (Class,), attrs)
  825. def _rgetattr(self, path):
  826. return attrgetter(path)(self)
  827. def __enter__(self):
  828. return self
  829. def __exit__(self, *exc_info):
  830. self.close()
  831. def __repr__(self):
  832. return '<{0} {1}>'.format(type(self).__name__, appstr(self))
  833. def __reduce__(self):
  834. if self._using_v1_reduce:
  835. return self.__reduce_v1__()
  836. return (_unpickle_app_v2, (self.__class__, self.__reduce_keys__()))
  837. def __reduce_v1__(self):
  838. # Reduce only pickles the configuration changes,
  839. # so the default configuration doesn't have to be passed
  840. # between processes.
  841. return (
  842. _unpickle_app,
  843. (self.__class__, self.Pickler) + self.__reduce_args__(),
  844. )
  845. def __reduce_keys__(self):
  846. """Keyword arguments used to reconstruct the object when unpickling."""
  847. return {
  848. 'main': self.main,
  849. 'changes':
  850. self._conf.changes if self.configured else self._preconf,
  851. 'loader': self.loader_cls,
  852. 'backend': self.backend_cls,
  853. 'amqp': self.amqp_cls,
  854. 'events': self.events_cls,
  855. 'log': self.log_cls,
  856. 'control': self.control_cls,
  857. 'fixups': self.fixups,
  858. 'config_source': self._config_source,
  859. 'task_cls': self.task_cls,
  860. 'namespace': self.namespace,
  861. }
  862. def __reduce_args__(self):
  863. """Deprecated method, please use :meth:`__reduce_keys__` instead."""
  864. return (self.main, self._conf.changes if self.configured else {},
  865. self.loader_cls, self.backend_cls, self.amqp_cls,
  866. self.events_cls, self.log_cls, self.control_cls,
  867. False, self._config_source)
  868. @cached_property
  869. def Worker(self):
  870. """Worker application.
  871. See Also:
  872. :class:`~@Worker`.
  873. """
  874. return self.subclass_with_self('celery.apps.worker:Worker')
  875. @cached_property
  876. def WorkController(self, **kwargs):
  877. """Embeddable worker.
  878. See Also:
  879. :class:`~@WorkController`.
  880. """
  881. return self.subclass_with_self('celery.worker:WorkController')
  882. @cached_property
  883. def Beat(self, **kwargs):
  884. """:program:`celery beat` scheduler application.
  885. See Also:
  886. :class:`~@Beat`.
  887. """
  888. return self.subclass_with_self('celery.apps.beat:Beat')
  889. @cached_property
  890. def Task(self):
  891. """Base task class for this app."""
  892. return self.create_task_cls()
  893. @cached_property
  894. def annotations(self):
  895. return prepare_annotations(self.conf.task_annotations)
  896. @cached_property
  897. def AsyncResult(self):
  898. """Create new result instance.
  899. See Also:
  900. :class:`celery.result.AsyncResult`.
  901. """
  902. return self.subclass_with_self('celery.result:AsyncResult')
  903. @cached_property
  904. def ResultSet(self):
  905. return self.subclass_with_self('celery.result:ResultSet')
  906. @cached_property
  907. def GroupResult(self):
  908. """Create new group result instance.
  909. See Also:
  910. :class:`celery.result.GroupResult`.
  911. """
  912. return self.subclass_with_self('celery.result:GroupResult')
  913. @property
  914. def pool(self):
  915. """Broker connection pool: :class:`~@pool`.
  916. Note:
  917. This attribute is not related to the workers concurrency pool.
  918. """
  919. if self._pool is None:
  920. self._ensure_after_fork()
  921. limit = self.conf.broker_pool_limit
  922. pools.set_limit(limit)
  923. self._pool = pools.connections[self.connection_for_write()]
  924. return self._pool
  925. @property
  926. def current_task(self):
  927. """Instance of task being executed, or :const:`None`."""
  928. return _task_stack.top
  929. @property
  930. def current_worker_task(self):
  931. """The task currently being executed by a worker or :const:`None`.
  932. Differs from :data:`current_task` in that it's not affected
  933. by tasks calling other tasks directly, or eagerly.
  934. """
  935. return get_current_worker_task()
  936. @cached_property
  937. def oid(self):
  938. """Universally unique identifier for this app."""
  939. # since 4.0: thread.get_ident() is not included when
  940. # generating the process id. This is due to how the RPC
  941. # backend now dedicates a single thread to receive results,
  942. # which would not work if each thread has a separate id.
  943. return oid_from(self, threads=False)
  944. @cached_property
  945. def amqp(self):
  946. """AMQP related functionality: :class:`~@amqp`."""
  947. return instantiate(self.amqp_cls, app=self)
  948. @cached_property
  949. def backend(self):
  950. """Current backend instance."""
  951. return self._get_backend()
  952. @property
  953. def conf(self):
  954. """Current configuration."""
  955. if self._conf is None:
  956. self._conf = self._load_config()
  957. return self._conf
  958. @conf.setter
  959. def conf(self, d): # noqa
  960. self._conf = d
  961. @cached_property
  962. def control(self):
  963. """Remote control: :class:`~@control`."""
  964. return instantiate(self.control_cls, app=self)
  965. @cached_property
  966. def events(self):
  967. """Consuming and sending events: :class:`~@events`."""
  968. return instantiate(self.events_cls, app=self)
  969. @cached_property
  970. def loader(self):
  971. """Current loader instance."""
  972. return get_loader_cls(self.loader_cls)(app=self)
  973. @cached_property
  974. def log(self):
  975. """Logging: :class:`~@log`."""
  976. return instantiate(self.log_cls, app=self)
  977. @cached_property
  978. def _canvas(self):
  979. from celery import canvas
  980. return canvas
  981. @cached_property
  982. def tasks(self):
  983. """Task registry.
  984. Warning:
  985. Accessing this attribute will also auto-finalize the app.
  986. """
  987. self.finalize(auto=True)
  988. return self._tasks
  989. @property
  990. def producer_pool(self):
  991. return self.amqp.producer_pool
  992. @cached_property
  993. def timezone(self):
  994. """Current timezone for this app.
  995. This is a cached property taking the time zone from the
  996. :setting:`timezone` setting.
  997. """
  998. conf = self.conf
  999. tz = conf.timezone
  1000. if not tz:
  1001. return (timezone.get_timezone('UTC') if conf.enable_utc
  1002. else timezone.local)
  1003. return timezone.get_timezone(conf.timezone)