consumer.py 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781
  1. # -*- coding: utf-8 -*-
  2. """
  3. celery.worker.consumer
  4. ~~~~~~~~~~~~~~~~~~~~~~
  5. This module contains the components responsible for consuming messages
  6. from the broker, processing the messages and keeping the broker connections
  7. up and running.
  8. """
  9. from __future__ import absolute_import
  10. import errno
  11. import kombu
  12. import logging
  13. import os
  14. import socket
  15. from collections import defaultdict
  16. from functools import partial
  17. from heapq import heappush
  18. from operator import itemgetter
  19. from time import sleep
  20. from billiard.common import restart_state
  21. from billiard.exceptions import RestartFreqExceeded
  22. from kombu.async.semaphore import DummyLock
  23. from kombu.common import QoS, ignore_errors
  24. from kombu.syn import _detect_environment
  25. from kombu.utils.compat import get_errno
  26. from kombu.utils.encoding import safe_repr, bytes_t
  27. from kombu.utils.limits import TokenBucket
  28. from celery import bootsteps
  29. from celery.app.trace import build_tracer
  30. from celery.canvas import signature
  31. from celery.exceptions import InvalidTaskError
  32. from celery.five import items, values
  33. from celery.utils.functional import noop
  34. from celery.utils.log import get_logger
  35. from celery.utils.text import truncate
  36. from celery.utils.timeutils import humanize_seconds, rate
  37. from . import heartbeat, loops, pidbox
  38. from .state import task_reserved, maybe_shutdown, revoked, reserved_requests
  39. try:
  40. buffer_t = buffer
  41. except NameError: # pragma: no cover
  42. # Py3 does not have buffer, but we only need isinstance.
  43. class buffer_t(object): # noqa
  44. pass
  45. __all__ = [
  46. 'Consumer', 'Connection', 'Events', 'Heart', 'Control',
  47. 'Tasks', 'Evloop', 'Agent', 'Mingle', 'Gossip', 'dump_body',
  48. ]
  49. CLOSE = bootsteps.CLOSE
  50. logger = get_logger(__name__)
  51. debug, info, warn, error, crit = (logger.debug, logger.info, logger.warning,
  52. logger.error, logger.critical)
  53. CONNECTION_RETRY = """\
  54. consumer: Connection to broker lost. \
  55. Trying to re-establish the connection...\
  56. """
  57. CONNECTION_RETRY_STEP = """\
  58. Trying again {when}...\
  59. """
  60. CONNECTION_ERROR = """\
  61. consumer: Cannot connect to %s: %s.
  62. %s
  63. """
  64. CONNECTION_FAILOVER = """\
  65. Will retry using next failover.\
  66. """
  67. UNKNOWN_FORMAT = """\
  68. Received and deleted unknown message. Wrong destination?!?
  69. The full contents of the message body was: %s
  70. """
  71. #: Error message for when an unregistered task is received.
  72. UNKNOWN_TASK_ERROR = """\
  73. Received unregistered task of type %s.
  74. The message has been ignored and discarded.
  75. Did you remember to import the module containing this task?
  76. Or maybe you are using relative imports?
  77. Please see http://bit.ly/gLye1c for more information.
  78. The full contents of the message body was:
  79. %s
  80. """
  81. #: Error message for when an invalid task message is received.
  82. INVALID_TASK_ERROR = """\
  83. Received invalid task message: %s
  84. The message has been ignored and discarded.
  85. Please ensure your message conforms to the task
  86. message protocol as described here: http://bit.ly/hYj41y
  87. The full contents of the message body was:
  88. %s
  89. """
  90. MESSAGE_REPORT = """\
  91. body: {0} {{content_type:{1} content_encoding:{2} delivery_info:{3}}}\
  92. """
  93. MINGLE_GET_FIELDS = itemgetter('clock', 'revoked')
  94. def dump_body(m, body):
  95. if isinstance(body, buffer_t):
  96. body = bytes_t(buffer)
  97. return '{0} ({1}b)'.format(truncate(safe_repr(body), 1024),
  98. len(m.body))
  99. class Consumer(object):
  100. Strategies = dict
  101. #: set when consumer is shutting down.
  102. in_shutdown = False
  103. #: Optional callback called the first time the worker
  104. #: is ready to receive tasks.
  105. init_callback = None
  106. #: The current worker pool instance.
  107. pool = None
  108. #: A timer used for high-priority internal tasks, such
  109. #: as sending heartbeats.
  110. timer = None
  111. restart_count = -1 # first start is the same as a restart
  112. class Blueprint(bootsteps.Blueprint):
  113. name = 'Consumer'
  114. default_steps = [
  115. 'celery.worker.consumer:Connection',
  116. 'celery.worker.consumer:Mingle',
  117. 'celery.worker.consumer:Events',
  118. 'celery.worker.consumer:Gossip',
  119. 'celery.worker.consumer:Heart',
  120. 'celery.worker.consumer:Control',
  121. 'celery.worker.consumer:Tasks',
  122. 'celery.worker.consumer:Evloop',
  123. 'celery.worker.consumer:Agent',
  124. ]
  125. def shutdown(self, parent):
  126. self.send_all(parent, 'shutdown')
  127. def __init__(self, on_task_request,
  128. init_callback=noop, hostname=None,
  129. pool=None, app=None,
  130. timer=None, controller=None, hub=None, amqheartbeat=None,
  131. worker_options=None, disable_rate_limits=False,
  132. initial_prefetch_count=2, prefetch_multiplier=1, **kwargs):
  133. self.app = app
  134. self.controller = controller
  135. self.init_callback = init_callback
  136. self.hostname = hostname or socket.gethostname()
  137. self.pid = os.getpid()
  138. self.pool = pool
  139. self.timer = timer
  140. self.strategies = self.Strategies()
  141. conninfo = self.app.connection()
  142. self.connection_errors = conninfo.connection_errors
  143. self.channel_errors = conninfo.channel_errors
  144. self._restart_state = restart_state(maxR=5, maxT=1)
  145. self._does_info = logger.isEnabledFor(logging.INFO)
  146. self.on_task_request = on_task_request
  147. self.on_task_message = set()
  148. self.amqheartbeat_rate = self.app.conf.BROKER_HEARTBEAT_CHECKRATE
  149. self.disable_rate_limits = disable_rate_limits
  150. self.initial_prefetch_count = initial_prefetch_count
  151. self.prefetch_multiplier = prefetch_multiplier
  152. # this contains a tokenbucket for each task type by name, used for
  153. # rate limits, or None if rate limits are disabled for that task.
  154. self.task_buckets = defaultdict(lambda: None)
  155. self.reset_rate_limits()
  156. self.hub = hub
  157. if self.hub:
  158. self.amqheartbeat = amqheartbeat
  159. if self.amqheartbeat is None:
  160. self.amqheartbeat = self.app.conf.BROKER_HEARTBEAT
  161. else:
  162. self.amqheartbeat = 0
  163. if not hasattr(self, 'loop'):
  164. self.loop = loops.asynloop if hub else loops.synloop
  165. if _detect_environment() == 'gevent':
  166. # there's a gevent bug that causes timeouts to not be reset,
  167. # so if the connection timeout is exceeded once, it can NEVER
  168. # connect again.
  169. self.app.conf.BROKER_CONNECTION_TIMEOUT = None
  170. self.steps = []
  171. self.blueprint = self.Blueprint(
  172. app=self.app, on_close=self.on_close,
  173. )
  174. self.blueprint.apply(self, **dict(worker_options or {}, **kwargs))
  175. def bucket_for_task(self, type):
  176. limit = rate(getattr(type, 'rate_limit', None))
  177. return TokenBucket(limit, capacity=1) if limit else None
  178. def reset_rate_limits(self):
  179. self.task_buckets.update(
  180. (n, self.bucket_for_task(t)) for n, t in items(self.app.tasks)
  181. )
  182. def _update_prefetch_count(self, index=0):
  183. """Update prefetch count after pool/shrink grow operations.
  184. Index must be the change in number of processes as a postive
  185. (increasing) or negative (decreasing) number.
  186. .. note::
  187. Currently pool grow operations will end up with an offset
  188. of +1 if the initial size of the pool was 0 (e.g.
  189. ``--autoscale=1,0``).
  190. """
  191. num_processes = self.pool.num_processes
  192. if not self.initial_prefetch_count or not num_processes:
  193. return # prefetch disabled
  194. self.initial_prefetch_count = (
  195. self.pool.num_processes * self.prefetch_multiplier
  196. )
  197. return self._update_qos_eventually(index)
  198. def _update_qos_eventually(self, index):
  199. return (self.qos.decrement_eventually if index < 0
  200. else self.qos.increment_eventually)(
  201. abs(index) * self.prefetch_multiplier)
  202. def _limit_task(self, request, bucket, tokens):
  203. if not bucket.can_consume(tokens):
  204. hold = bucket.expected_time(tokens)
  205. self.timer.call_after(
  206. hold, self._limit_task, (request, bucket, tokens),
  207. )
  208. else:
  209. task_reserved(request)
  210. self.on_task_request(request)
  211. def start(self):
  212. blueprint, loop = self.blueprint, self.loop
  213. while blueprint.state != CLOSE:
  214. self.restart_count += 1
  215. maybe_shutdown()
  216. try:
  217. blueprint.start(self)
  218. except self.connection_errors as exc:
  219. if isinstance(exc, OSError) and get_errno(exc) == errno.EMFILE:
  220. raise # Too many open files
  221. maybe_shutdown()
  222. try:
  223. self._restart_state.step()
  224. except RestartFreqExceeded as exc:
  225. crit('Frequent restarts detected: %r', exc, exc_info=1)
  226. sleep(1)
  227. if blueprint.state != CLOSE and self.connection:
  228. warn(CONNECTION_RETRY, exc_info=True)
  229. try:
  230. self.connection.collect()
  231. except Exception:
  232. pass
  233. self.on_close()
  234. blueprint.restart(self)
  235. def register_with_event_loop(self, hub):
  236. self.blueprint.send_all(self, 'register_with_event_loop', args=(hub, ))
  237. def shutdown(self):
  238. self.in_shutdown = True
  239. self.blueprint.shutdown(self)
  240. def stop(self):
  241. self.blueprint.stop(self)
  242. def on_ready(self):
  243. callback, self.init_callback = self.init_callback, None
  244. if callback:
  245. callback(self)
  246. def loop_args(self):
  247. return (self, self.connection, self.task_consumer,
  248. self.blueprint, self.hub, self.qos, self.amqheartbeat,
  249. self.app.clock, self.amqheartbeat_rate)
  250. def on_decode_error(self, message, exc):
  251. """Callback called if an error occurs while decoding
  252. a message received.
  253. Simply logs the error and acknowledges the message so it
  254. doesn't enter a loop.
  255. :param message: The message with errors.
  256. :param exc: The original exception instance.
  257. """
  258. crit("Can't decode message body: %r (type:%r encoding:%r raw:%r')",
  259. exc, message.content_type, message.content_encoding,
  260. dump_body(message, message.body), exc_info=1)
  261. message.ack()
  262. def on_close(self):
  263. # Clear internal queues to get rid of old messages.
  264. # They can't be acked anyway, as a delivery tag is specific
  265. # to the current channel.
  266. if self.controller and self.controller.semaphore:
  267. self.controller.semaphore.clear()
  268. if self.timer:
  269. self.timer.clear()
  270. reserved_requests.clear()
  271. if self.pool and self.pool.flush:
  272. self.pool.flush()
  273. def connect(self):
  274. """Establish the broker connection.
  275. Will retry establishing the connection if the
  276. :setting:`BROKER_CONNECTION_RETRY` setting is enabled
  277. """
  278. conn = self.app.connection(heartbeat=self.amqheartbeat)
  279. # Callback called for each retry while the connection
  280. # can't be established.
  281. def _error_handler(exc, interval, next_step=CONNECTION_RETRY_STEP):
  282. if getattr(conn, 'alt', None) and interval == 0:
  283. next_step = CONNECTION_FAILOVER
  284. error(CONNECTION_ERROR, conn.as_uri(), exc,
  285. next_step.format(when=humanize_seconds(interval, 'in', ' ')))
  286. # remember that the connection is lazy, it won't establish
  287. # until needed.
  288. if not self.app.conf.BROKER_CONNECTION_RETRY:
  289. # retry disabled, just call connect directly.
  290. conn.connect()
  291. return conn
  292. conn = conn.ensure_connection(
  293. _error_handler, self.app.conf.BROKER_CONNECTION_MAX_RETRIES,
  294. callback=maybe_shutdown,
  295. )
  296. if self.hub:
  297. conn.transport.register_with_event_loop(conn.connection, self.hub)
  298. return conn
  299. def add_task_queue(self, queue, exchange=None, exchange_type=None,
  300. routing_key=None, **options):
  301. cset = self.task_consumer
  302. queues = self.app.amqp.queues
  303. # Must use in' here, as __missing__ will automatically
  304. # create queues when CELERY_CREATE_MISSING_QUEUES is enabled.
  305. # (Issue #1079)
  306. if queue in queues:
  307. q = queues[queue]
  308. else:
  309. exchange = queue if exchange is None else exchange
  310. exchange_type = ('direct' if exchange_type is None
  311. else exchange_type)
  312. q = queues.select_add(queue,
  313. exchange=exchange,
  314. exchange_type=exchange_type,
  315. routing_key=routing_key, **options)
  316. if not cset.consuming_from(queue):
  317. cset.add_queue(q)
  318. cset.consume()
  319. info('Started consuming from %r', queue)
  320. def cancel_task_queue(self, queue):
  321. self.app.amqp.queues.deselect(queue)
  322. self.task_consumer.cancel_by_queue(queue)
  323. def apply_eta_task(self, task):
  324. """Method called by the timer to apply a task with an
  325. ETA/countdown."""
  326. task_reserved(task)
  327. self.on_task_request(task)
  328. self.qos.decrement_eventually()
  329. def _message_report(self, body, message):
  330. return MESSAGE_REPORT.format(dump_body(message, body),
  331. safe_repr(message.content_type),
  332. safe_repr(message.content_encoding),
  333. safe_repr(message.delivery_info))
  334. def on_unknown_message(self, body, message):
  335. warn(UNKNOWN_FORMAT, self._message_report(body, message))
  336. message.reject_log_error(logger, self.connection_errors)
  337. def on_unknown_task(self, body, message, exc):
  338. error(UNKNOWN_TASK_ERROR, exc, dump_body(message, body), exc_info=True)
  339. message.reject_log_error(logger, self.connection_errors)
  340. def on_invalid_task(self, body, message, exc):
  341. error(INVALID_TASK_ERROR, exc, dump_body(message, body), exc_info=True)
  342. message.reject_log_error(logger, self.connection_errors)
  343. def update_strategies(self):
  344. loader = self.app.loader
  345. for name, task in items(self.app.tasks):
  346. self.strategies[name] = task.start_strategy(self.app, self)
  347. task.__trace__ = build_tracer(name, task, loader, self.hostname,
  348. app=self.app)
  349. def create_task_handler(self):
  350. strategies = self.strategies
  351. on_unknown_message = self.on_unknown_message
  352. on_unknown_task = self.on_unknown_task
  353. on_invalid_task = self.on_invalid_task
  354. callbacks = self.on_task_message
  355. def on_task_received(body, message):
  356. try:
  357. name = body['task']
  358. except (KeyError, TypeError):
  359. return on_unknown_message(body, message)
  360. try:
  361. strategies[name](message, body,
  362. message.ack_log_error,
  363. message.reject_log_error,
  364. callbacks)
  365. except KeyError as exc:
  366. on_unknown_task(body, message, exc)
  367. except InvalidTaskError as exc:
  368. on_invalid_task(body, message, exc)
  369. return on_task_received
  370. def __repr__(self):
  371. return '<Consumer: {self.hostname} ({state})>'.format(
  372. self=self, state=self.blueprint.human_state(),
  373. )
  374. class Connection(bootsteps.StartStopStep):
  375. def __init__(self, c, **kwargs):
  376. c.connection = None
  377. def start(self, c):
  378. c.connection = c.connect()
  379. info('Connected to %s', c.connection.as_uri())
  380. def shutdown(self, c):
  381. # We must set self.connection to None here, so
  382. # that the green pidbox thread exits.
  383. connection, c.connection = c.connection, None
  384. if connection:
  385. ignore_errors(connection, connection.close)
  386. def info(self, c):
  387. info = c.connection.info()
  388. info.pop('password', None) # don't send password.
  389. return {'broker': info}
  390. class Events(bootsteps.StartStopStep):
  391. requires = (Connection, )
  392. def __init__(self, c, send_events=None, **kwargs):
  393. self.send_events = True
  394. self.groups = None if send_events else ['worker']
  395. c.event_dispatcher = None
  396. def start(self, c):
  397. # flush events sent while connection was down.
  398. prev = c.event_dispatcher
  399. dis = c.event_dispatcher = c.app.events.Dispatcher(
  400. c.connect(), hostname=c.hostname,
  401. enabled=self.send_events, groups=self.groups,
  402. )
  403. if prev:
  404. dis.extend_buffer(prev)
  405. dis.flush()
  406. def stop(self, c):
  407. if c.event_dispatcher:
  408. # remember changes from remote control commands:
  409. self.groups = c.event_dispatcher.groups
  410. # close custom connection
  411. if c.event_dispatcher.connection:
  412. ignore_errors(c, c.event_dispatcher.connection.close)
  413. ignore_errors(c, c.event_dispatcher.close)
  414. c.event_dispatcher = None
  415. shutdown = stop
  416. class Heart(bootsteps.StartStopStep):
  417. requires = (Events, )
  418. def __init__(self, c, without_heartbeat=False, **kwargs):
  419. self.enabled = not without_heartbeat
  420. c.heart = None
  421. def start(self, c):
  422. c.heart = heartbeat.Heart(c.timer, c.event_dispatcher)
  423. c.heart.start()
  424. def stop(self, c):
  425. c.heart = c.heart and c.heart.stop()
  426. shutdown = stop
  427. class Control(bootsteps.StartStopStep):
  428. requires = (Events, )
  429. def __init__(self, c, **kwargs):
  430. self.is_green = c.pool is not None and c.pool.is_green
  431. self.box = (pidbox.gPidbox if self.is_green else pidbox.Pidbox)(c)
  432. self.start = self.box.start
  433. self.stop = self.box.stop
  434. self.shutdown = self.box.shutdown
  435. def include_if(self, c):
  436. return c.app.conf.CELERY_ENABLE_REMOTE_CONTROL
  437. class Tasks(bootsteps.StartStopStep):
  438. requires = (Events, )
  439. def __init__(self, c, **kwargs):
  440. c.task_consumer = c.qos = None
  441. def start(self, c):
  442. c.update_strategies()
  443. c.task_consumer = c.app.amqp.TaskConsumer(
  444. c.connection, on_decode_error=c.on_decode_error,
  445. )
  446. c.qos = QoS(c.task_consumer.qos, c.initial_prefetch_count)
  447. c.qos.update() # set initial prefetch count
  448. def stop(self, c):
  449. if c.task_consumer:
  450. debug('Cancelling task consumer...')
  451. ignore_errors(c, c.task_consumer.cancel)
  452. def shutdown(self, c):
  453. if c.task_consumer:
  454. self.stop(c)
  455. debug('Closing consumer channel...')
  456. ignore_errors(c, c.task_consumer.close)
  457. c.task_consumer = None
  458. def info(self, c):
  459. return {'prefetch_count': c.qos.value}
  460. class Agent(bootsteps.StartStopStep):
  461. conditional = True
  462. requires = (Connection, )
  463. def __init__(self, c, **kwargs):
  464. self.agent_cls = self.enabled = c.app.conf.CELERYD_AGENT
  465. def create(self, c):
  466. agent = c.agent = self.instantiate(self.agent_cls, c.connection)
  467. return agent
  468. class Gossip(bootsteps.ConsumerStep):
  469. label = 'Gossip'
  470. requires = (Events, )
  471. _cons_stamp_fields = itemgetter(
  472. 'id', 'clock', 'hostname', 'pid', 'topic', 'action', 'cver',
  473. )
  474. compatible_transports = set(['amqp', 'redis'])
  475. def __init__(self, c, without_gossip=False, interval=5.0, **kwargs):
  476. self.enabled = not without_gossip and self.compatible_transport(c.app)
  477. self.app = c.app
  478. c.gossip = self
  479. self.Receiver = c.app.events.Receiver
  480. self.hostname = c.hostname
  481. self.full_hostname = '.'.join([self.hostname, str(c.pid)])
  482. self.timer = c.timer
  483. if self.enabled:
  484. self.state = c.app.events.State()
  485. if c.hub:
  486. c._mutex = DummyLock()
  487. self.update_state = self.state.worker_event
  488. self.interval = interval
  489. self._tref = None
  490. self.consensus_requests = defaultdict(list)
  491. self.consensus_replies = {}
  492. self.event_handlers = {
  493. 'worker.elect': self.on_elect,
  494. 'worker.elect.ack': self.on_elect_ack,
  495. }
  496. self.clock = c.app.clock
  497. self.election_handlers = {
  498. 'task': self.call_task
  499. }
  500. def compatible_transport(self, app):
  501. with app.connection() as conn:
  502. return conn.transport.driver_type in self.compatible_transports
  503. def election(self, id, topic, action=None):
  504. self.consensus_replies[id] = []
  505. self.dispatcher.send(
  506. 'worker-elect',
  507. id=id, topic=topic, action=action, cver=1,
  508. )
  509. def call_task(self, task):
  510. try:
  511. signature(task, app=self.app).apply_async()
  512. except Exception as exc:
  513. error('Could not call task: %r', exc, exc_info=1)
  514. def on_elect(self, event):
  515. try:
  516. (id_, clock, hostname, pid,
  517. topic, action, _) = self._cons_stamp_fields(event)
  518. except KeyError as exc:
  519. return error('election request missing field %s', exc, exc_info=1)
  520. heappush(
  521. self.consensus_requests[id_],
  522. (clock, '%s.%s' % (hostname, pid), topic, action),
  523. )
  524. self.dispatcher.send('worker-elect-ack', id=id_)
  525. def start(self, c):
  526. super(Gossip, self).start(c)
  527. self.dispatcher = c.event_dispatcher
  528. def on_elect_ack(self, event):
  529. id = event['id']
  530. try:
  531. replies = self.consensus_replies[id]
  532. except KeyError:
  533. return # not for us
  534. alive_workers = self.state.alive_workers()
  535. replies.append(event['hostname'])
  536. if len(replies) >= len(alive_workers):
  537. _, leader, topic, action = self.clock.sort_heap(
  538. self.consensus_requests[id],
  539. )
  540. if leader == self.full_hostname:
  541. info('I won the election %r', id)
  542. try:
  543. handler = self.election_handlers[topic]
  544. except KeyError:
  545. error('Unknown election topic %r', topic, exc_info=1)
  546. else:
  547. handler(action)
  548. else:
  549. info('node %s elected for %r', leader, id)
  550. self.consensus_requests.pop(id, None)
  551. self.consensus_replies.pop(id, None)
  552. def on_node_join(self, worker):
  553. info('%s joined the party', worker.hostname)
  554. def on_node_leave(self, worker):
  555. info('%s left', worker.hostname)
  556. def on_node_lost(self, worker):
  557. warn('%s went missing!', worker.hostname)
  558. def register_timer(self):
  559. if self._tref is not None:
  560. self._tref.cancel()
  561. self._tref = self.timer.call_repeatedly(self.interval, self.periodic)
  562. def periodic(self):
  563. workers = self.state.workers
  564. dirty = set()
  565. for worker in values(workers):
  566. if not worker.alive:
  567. dirty.add(worker)
  568. self.on_node_lost(worker)
  569. for worker in dirty:
  570. workers.pop(worker.hostname, None)
  571. def get_consumers(self, channel):
  572. self.register_timer()
  573. ev = self.Receiver(channel, routing_key='worker.#')
  574. return [kombu.Consumer(
  575. channel,
  576. queues=[ev.queue],
  577. on_message=partial(self.on_message, ev.event_from_message),
  578. no_ack=True
  579. )]
  580. def on_message(self, prepare, message):
  581. _type = message.delivery_info['routing_key']
  582. try:
  583. handler = self.event_handlers[_type]
  584. except KeyError:
  585. pass
  586. else:
  587. return handler(message.payload)
  588. hostname = (message.headers.get('hostname') or
  589. message.payload['hostname'])
  590. if hostname != self.hostname:
  591. type, event = prepare(message.payload)
  592. group, _, subject = type.partition('-')
  593. worker, created = self.update_state(subject, event)
  594. if subject == 'offline':
  595. try:
  596. self.on_node_leave(worker)
  597. finally:
  598. self.state.workers.pop(worker.hostname, None)
  599. elif created or subject == 'online':
  600. self.on_node_join(worker)
  601. else:
  602. self.clock.forward()
  603. class Mingle(bootsteps.StartStopStep):
  604. label = 'Mingle'
  605. requires = (Gossip, )
  606. compatible_transports = set(['amqp', 'redis'])
  607. def __init__(self, c, without_mingle=False, **kwargs):
  608. self.enabled = not without_mingle and self.compatible_transport(c.app)
  609. def compatible_transport(self, app):
  610. with app.connection() as conn:
  611. return conn.transport.driver_type in self.compatible_transports
  612. def start(self, c):
  613. info('mingle: searching for neighbors')
  614. I = c.app.control.inspect(timeout=1.0, connection=c.connection)
  615. replies = I.hello(c.hostname, revoked._data) or {}
  616. replies.pop(c.hostname, None)
  617. if replies:
  618. info('mingle: hello %s! sync with me',
  619. ', '.join(reply for reply, value in items(replies) if value))
  620. for reply in values(replies):
  621. if reply:
  622. try:
  623. other_clock, other_revoked = MINGLE_GET_FIELDS(reply)
  624. except KeyError: # reply from pre-3.1 worker
  625. pass
  626. else:
  627. c.app.clock.adjust(other_clock)
  628. revoked.update(other_revoked)
  629. else:
  630. info('mingle: all alone')
  631. class Evloop(bootsteps.StartStopStep):
  632. label = 'event loop'
  633. last = True
  634. def start(self, c):
  635. self.patch_all(c)
  636. c.loop(*c.loop_args())
  637. def patch_all(self, c):
  638. c.qos._mutex = DummyLock()