next-steps.rst 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540
  1. .. _next-steps:
  2. ============
  3. Next Steps
  4. ============
  5. The :ref:`first-steps` guide is intentionally minimal. In this guide
  6. we will demonstrate what Celery offers in more detail, including
  7. how to add Celery support for your application and library.
  8. .. contents::
  9. :local:
  10. :depth: 1
  11. Using Celery in your Application
  12. ================================
  13. .. _project-layout:
  14. Our Project
  15. -----------
  16. Project layout::
  17. proj/__init__.py
  18. /celery.py
  19. /tasks.py
  20. :file:`proj/celery.py`
  21. ~~~~~~~~~~~~~~~~~~~~~~
  22. .. literalinclude:: ../../examples/next-steps/proj/celery.py
  23. :language: python
  24. In this module we created our :class:`@Celery` instance (sometimes
  25. referred to as the *app*). To use Celery within your project
  26. you simply import this instance.
  27. - The ``broker`` argument specifies the URL of the broker to use.
  28. See :ref:`celerytut-broker` for more information.
  29. - The ``backend`` argument specifies the result backend to use,
  30. It's used to keep track of task state and results.
  31. While results are disabled by default we use the amqp backend here
  32. to demonstrate how retrieving the results work, you may want to use
  33. a different backend for your application, as they all have different
  34. strenghts and weaknesses. If you don't need results it's best
  35. to disable them. Results can also be disabled for individual tasks
  36. by setting the ``@task(ignore_result=True)`` option.
  37. See :ref:`celerytut-keeping-results` for more information.
  38. - The ``include`` argument is a list of modules to import when
  39. the worker starts. We need to add our tasks module here so
  40. that the worker is able to find our tasks.
  41. :file:`proj/tasks.py`
  42. ~~~~~~~~~~~~~~~~~~~~~
  43. .. literalinclude:: ../../examples/next-steps/proj/tasks.py
  44. :language: python
  45. Starting the worker
  46. -------------------
  47. The :program:`celery` program can be used to start the worker::
  48. $ celery worker --app=proj -l info
  49. When the worker starts you should see a banner and some messages::
  50. -------------- celery@halcyon.local v2.6.0rc4
  51. ---- **** -----
  52. --- * *** * -- [Configuration]
  53. -- * - **** --- . broker: amqp://guest@localhost:5672//
  54. - ** ---------- . app: __main__:0x1012d8590
  55. - ** ---------- . concurrency: 8 (processes)
  56. - ** ---------- . events: OFF (enable -E to monitor this worker)
  57. - ** ----------
  58. - *** --- * --- [Queues]
  59. -- ******* ---- . celery: exchange:celery(direct) binding:celery
  60. --- ***** -----
  61. [2012-06-08 16:23:51,078: WARNING/MainProcess] celery@halcyon.local has started.
  62. -- The *broker* is the URL you specifed in the broker argument in our ``celery``
  63. module, you can also specify a different broker on the command line by using
  64. the :option:`-b` option.
  65. -- *Concurrency* is the number of multiprocessing worker process used
  66. to process your tasks concurrently, when all of these are busy doing work
  67. new tasks will have to wait for one of the tasks to finish before
  68. it can be processed.
  69. The default concurrency number is the number of CPU's on that machine
  70. (including cores), you can specify a custom number using :option:`-c` option.
  71. There is no recommended value, as the optimal number depends on a number of
  72. factors, but if your tasks are mostly I/O-bound then you can try to increase
  73. it, experimentation has shown that adding more than twice the number
  74. of CPU's is rarely effective, and likely to degrade performance
  75. instead.
  76. Including the default multiprocessing pool, Celery also supports using
  77. Eventlet, Gevent, and threads (see :ref:`concurrency`).
  78. -- *Events* is an option that when enabled causes Celery to send
  79. monitoring messages (events) for actions occurring in the worker.
  80. These can be used by monitor programs like ``celery events``,
  81. celerymon and the Django-Celery admin monitor that you can read
  82. about in the :ref:`Monitoring and Management guide <guide-monitoring>`.
  83. -- *Queues* is the list of queues that the worker will consume
  84. tasks from. The worker can be told to consume from several queues
  85. at once, and this is used to route messages to specific workers
  86. as a means for Quality of Service, separation of concerns,
  87. and emulating priorities, all described in the :ref:`Routing Guide
  88. <guide-routing>`.
  89. You can get a complete list of command line arguments
  90. by passing in the `--help` flag::
  91. $ celery worker --help
  92. These options are described in more detailed in the :ref:`Workers Guide <guide-worker>`.
  93. .. sidebar:: About the :option:`--app` argument
  94. The :option:`--app` argument specifies the Celery app instance to use,
  95. it must be in the form of ``module.path:celery``, where the part before the colon
  96. is the name of the module, and the attribute name comes last.
  97. If a package name is specified instead it will automatically
  98. try to find a ``celery`` module in that package, and if the name
  99. is a module it will try to find a ``celery`` attribute in that module.
  100. This means that these are all equal:
  101. $ celery --app=proj
  102. $ celery --app=proj.celery:
  103. $ celery --app=proj.celery:celery
  104. .. _designing-work-flows:
  105. Designing Work-flows
  106. ====================
  107. A :func:`~celery.subtask` wraps the signature of a single task invocation:
  108. arguments, keyword arguments and execution options.
  109. A subtask for the ``add`` task can be created like this::
  110. >>> from celery import subtask
  111. >>> subtask(add.name, args=(4, 4))
  112. or you can create one from the task itself::
  113. >>> from proj.tasks import add
  114. >>> add.subtask(args=(4, 4))
  115. It takes the same arguments as the :meth:`~@Task.apply_async` method::
  116. >>> add.apply_async(args, kwargs, **options)
  117. >>> add.subtask(args, kwargs, **options)
  118. >>> add.apply_async((2, 2), countdown=1)
  119. >>> add.subtask((2, 2), countdown=1)
  120. And like there is a :meth:`~@Task.delay` shortcut for `apply_async`
  121. there is an :meth:`~@Task.s` shortcut for subtask::
  122. >>> add.s(*args, **kwargs)
  123. >>> add.s(2, 2)
  124. proj.tasks.add(2, 2)
  125. >>> add.s(2, 2) == add.subtask((2, 2))
  126. True
  127. You can't define options with :meth:`~@Task.s`, but a chaining
  128. ``set`` call takes care of that::
  129. >>> add.s(2, 2).set(countdown=1)
  130. proj.tasks.add(2, 2)
  131. Partials
  132. --------
  133. A subtask can be applied too::
  134. >>> add.s(2, 2).delay()
  135. >>> add.s(2, 2).apply_async(countdown=1)
  136. Specifying additional args, kwargs or options to ``apply_async``/``delay``
  137. creates partials:
  138. - Any arguments added will be prepended to the args in the signature::
  139. >>> partial = add.s(2) # incomplete signature
  140. >>> partial.delay(4) # 2 + 4
  141. >>> partial.apply_async((4, )) # same
  142. - Any keyword arguments added will be merged with the kwargs in the signature,
  143. with the new keyword arguments taking precedence::
  144. >>> s = add.s(2, 2)
  145. >>> s.delay(debug=True) # -> add(2, 2, debug=True)
  146. >>> s.apply_async(kwargs={"debug": True}) # same
  147. - Any options added will be merged with the options in the signature,
  148. with the new options taking precedence::
  149. >>> s = add.subtask((2, 2), countdown=10)
  150. >>> s.apply_async(countdown=1) # countdown is now 1
  151. You can also clone subtasks to augment these::
  152. >>> s = add.s(2)
  153. proj.tasks.add(2)
  154. >>> s.clone(args=(4, ), kwargs={"debug": True})
  155. proj.tasks.add(2, 4, debug=True)
  156. Partials are meant to be used with callbacks, any tasks linked or chord
  157. callbacks will be applied with the result of the parent task.
  158. Sometimes you want to specify a callback that does not take
  159. additional arguments, and in that case you can set the subtask
  160. to be immutable::
  161. >>> add.apply_async((2, 2), link=reset_buffers.subtask(immutable=True))
  162. The ``.si()`` shortcut can also be used to create immutable subtasks::
  163. >>> add.apply_async((2, 2), link=reset_buffers.si())
  164. Only the execution options can be set when a subtask is immutable,
  165. and it's not possible to apply the subtask with partial args/kwargs.
  166. .. note::
  167. In this tutorial we use the prefix operator `~` to subtasks.
  168. You probably shouldn't use it in your production code, but it's a handy shortcut
  169. when testing with the Python shell::
  170. >>> ~subtask
  171. >>> # is the same as
  172. >>> subtask.delay().get()
  173. Groups
  174. ------
  175. A group can be used to execute several tasks in parallel.
  176. The :class:`~celery.group` function takes a list of subtasks::
  177. >>> from celery import group
  178. >>> from proj.tasks import add
  179. >>> group(add.s(2, 2), add.s(4, 4))
  180. (proj.tasks.add(2, 2), proj.tasks.add(4, 4))
  181. If you **call** the group, the tasks will be applied
  182. one after one in the current process, and a :class:`~@TaskSetResult`
  183. instance is returned which can be used to keep track of the results,
  184. or tell how many tasks are ready and so on::
  185. >>> g = group(add.s(2, 2), add.s(4, 4))
  186. >>> res = g()
  187. >>> res.get()
  188. [4, 8]
  189. However, if you call ``apply_async`` on the group it will
  190. send a special grouping task, so that the action of applying
  191. the tasks happens in a worker instead of the current process::
  192. >>> res = g.apply_async()
  193. >>> res.get()
  194. [4, 8]
  195. Group also supports iterators::
  196. >>> group(add.s(i, i) for i in xrange(100))()
  197. A group is a subclass instance, so it can be used in combination
  198. with other subtasks.
  199. Map & Starmap
  200. -------------
  201. :class:`~celery.map` and :class:`~celery.starmap` are built-in tasks
  202. that calls the task for every element in a sequence.
  203. They differ from group in that
  204. - only one task message is sent
  205. - the operation is sequential.
  206. For example using ``map``:
  207. .. code-block:: python
  208. >>> from proj.tasks import add
  209. >>> ~xsum.map([range(10), range(100)])
  210. [45, 4950]
  211. is the same as having a task doing:
  212. .. code-block:: python
  213. @celery.task()
  214. def temp():
  215. return [xsum(range(10)), xsum(range(100))]
  216. and using ``starmap``::
  217. >>> ~add.starmap(zip(range(10), range(10)))
  218. [0, 2, 4, 6, 8, 10, 12, 14, 16, 18]
  219. is the same as having a task doing:
  220. .. code-block:: python
  221. @celery.task()
  222. def temp():
  223. return [add(i, i) for i in range(10)]
  224. Both ``map`` and ``starmap`` are subtasks, so they can be used as
  225. other subtasks and combined in groups etc., for example
  226. to apply the starmap after 10 seconds::
  227. >>> add.starmap(zip(range(10), range(10))).apply_async(countdown=10)
  228. Chunking
  229. --------
  230. -- Chunking lets you divide a iterable of work into pieces,
  231. so that if you have one million objects, you can create
  232. 10 tasks with hundred thousand objects each.
  233. Some may worry that chunking your tasks results in a degradation
  234. of parallelism, but this is rarely true for a busy cluster
  235. and in practice since you are avoiding the overhead of messaging
  236. it may considerably increase performance.
  237. To create a chunks subtask you can use :meth:`@Task.chunks`:
  238. .. code-block:: python
  239. >>> add.chunks(zip(range(100), range(100)), 10)
  240. As with :class:`~celery.group` the act of **calling**
  241. the chunks will apply the tasks in the current process:
  242. .. code-block:: python
  243. >>> from proj.tasks import add
  244. >>> res = add.chunks(zip(range(100), range(100)), 10)()
  245. >>> res.get()
  246. [[0, 2, 4, 6, 8, 10, 12, 14, 16, 18],
  247. [20, 22, 24, 26, 28, 30, 32, 34, 36, 38],
  248. [40, 42, 44, 46, 48, 50, 52, 54, 56, 58],
  249. [60, 62, 64, 66, 68, 70, 72, 74, 76, 78],
  250. [80, 82, 84, 86, 88, 90, 92, 94, 96, 98],
  251. [100, 102, 104, 106, 108, 110, 112, 114, 116, 118],
  252. [120, 122, 124, 126, 128, 130, 132, 134, 136, 138],
  253. [140, 142, 144, 146, 148, 150, 152, 154, 156, 158],
  254. [160, 162, 164, 166, 168, 170, 172, 174, 176, 178],
  255. [180, 182, 184, 186, 188, 190, 192, 194, 196, 198]]
  256. while calling ``.apply_async`` will create a dedicated
  257. task so that the individual tasks are applied in a worker
  258. instead::
  259. >>> add.chunks(zip(range(100), range(100), 10)).apply_async()
  260. You can also convert chunks to a group::
  261. >>> group = add.chunks(zip(range(100), range(100), 10)).group()
  262. and with the group skew the countdown of each task by increments
  263. of one::
  264. >>> group.skew(start=1, stop=10)()
  265. which means that the first task will have a countdown of 1, the second
  266. a countdown of 2 and so on.
  267. Chaining tasks
  268. --------------
  269. Tasks can be linked together, which in practice means adding
  270. a callback task::
  271. >>> res = add.apply_async((2, 2), link=mul.s(16))
  272. >>> res.get()
  273. 4
  274. The linked task will be applied with the result of its parent
  275. task as the first argument, which in the above case will result
  276. in ``mul(4, 16)`` since the result is 4.
  277. The results will keep track of what subtasks a task applies,
  278. and this can be accessed from the result instance::
  279. >>> res.children
  280. [<AsyncResult: 8c350acf-519d-4553-8a53-4ad3a5c5aeb4>]
  281. >>> res.children[0].get()
  282. 64
  283. The result instance also has a :meth:`~@AsyncResult.collect` method
  284. that treats the result as a graph, enabling you to iterate over
  285. the results::
  286. >>> list(res.collect())
  287. [(<AsyncResult: 7b720856-dc5f-4415-9134-5c89def5664e>, 4),
  288. (<AsyncResult: 8c350acf-519d-4553-8a53-4ad3a5c5aeb4>, 64)]
  289. By default :meth:`~@AsyncResult.collect` will raise an
  290. :exc:`~@IncompleteStream` exception if the graph is not fully
  291. formed (one of the tasks has not completed yet),
  292. but you can get an intermediate representation of the graph
  293. too::
  294. >>> for result, value in res.collect(intermediate=True)):
  295. ....
  296. You can link together as many tasks as you like,
  297. and subtasks can be linked too::
  298. >>> s = add.s(2, 2)
  299. >>> s.link(mul.s(4))
  300. >>> s.link(log_result.s())
  301. You can also add *error callbacks* using the ``link_error`` argument::
  302. >>> add.apply_async((2, 2), link_error=log_error.s())
  303. >>> add.subtask((2, 2), link_error=log_error.s())
  304. Since exceptions can only be serialized when pickle is used
  305. the error callbacks take the id of the parent task as argument instead:
  306. .. code-block:: python
  307. from proj.celery import celery
  308. @celery.task()
  309. def log_error(task_id):
  310. result = celery.AsyncResult(task_id)
  311. result.get(propagate=False) # make sure result written.
  312. with open("/var/errors/%s" % (task_id, )) as fh:
  313. fh.write("--\n\n%s %s %s" % (
  314. task_id, result.result, result.traceback))
  315. To make it even easier to link tasks together there is
  316. a special subtask called :class:`~celery.chain` that lets
  317. you chain tasks together:
  318. .. code-block:: python
  319. >>> from celery import chain
  320. >>> from proj.tasks import add, mul
  321. # (4 + 4) * 8 * 10
  322. >>> res = chain(add.s(4, 4), mul.s(8), mul.s(10))
  323. proj.tasks.add(4, 4) | proj.tasks.mul(8)
  324. Calling the chain will apply the tasks in the current process
  325. and return the result of the last task in the chain::
  326. >>> res = chain(add.s(4, 4), mul.s(8), mul.s(10))
  327. >>> res.get()
  328. 640
  329. And calling ``apply_async`` will create a dedicated
  330. task so that the act of applying the chain happens
  331. in a worker::
  332. >>> res = chain(add.s(4, 4), mul.s(8), mul.s(10))
  333. >>> res.get()
  334. 640
  335. It also sets ``parent`` attributes so that you can
  336. work your way up the chain to get intermediate results::
  337. >>> res.parent.get()
  338. 64
  339. >>> res.parent.parent.get()
  340. 8
  341. >>> res.parent.parent
  342. <AsyncResult: eeaad925-6778-4ad1-88c8-b2a63d017933>
  343. Chains can also be made using the ``|`` (pipe) operator::
  344. >>> (add.s(2, 2) | mul.s(8) | mul.s(10)).apply_async()
  345. Graphs
  346. ~~~~~~
  347. In addition you can work with the result graph as a
  348. :class:`~celery.datastructures.DependencyGraph`:
  349. .. code-block:: python
  350. >>> res = chain(add.s(4, 4), mul.s(8), mul.s(10))()
  351. >>> res.parent.parent.graph
  352. 285fa253-fcf8-42ef-8b95-0078897e83e6(1)
  353. 463afec2-5ed4-4036-b22d-ba067ec64f52(0)
  354. 872c3995-6fa0-46ca-98c2-5a19155afcf0(2)
  355. 285fa253-fcf8-42ef-8b95-0078897e83e6(1)
  356. 463afec2-5ed4-4036-b22d-ba067ec64f52(0)
  357. You can even convert these graphs to *dot* format::
  358. >>> with open("graph.dot", "w") as fh:
  359. ... res.parent.parent.graph.to_dot(fh)
  360. and create images::
  361. $ dot -Tpng graph.dot -o graph.png
  362. .. image:: ../images/graph.png
  363. Chords
  364. ------