asynpool.py 46 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798991001011021031041051061071081091101111121131141151161171181191201211221231241251261271281291301311321331341351361371381391401411421431441451461471481491501511521531541551561571581591601611621631641651661671681691701711721731741751761771781791801811821831841851861871881891901911921931941951961971981992002012022032042052062072082092102112122132142152162172182192202212222232242252262272282292302312322332342352362372382392402412422432442452462472482492502512522532542552562572582592602612622632642652662672682692702712722732742752762772782792802812822832842852862872882892902912922932942952962972982993003013023033043053063073083093103113123133143153163173183193203213223233243253263273283293303313323333343353363373383393403413423433443453463473483493503513523533543553563573583593603613623633643653663673683693703713723733743753763773783793803813823833843853863873883893903913923933943953963973983994004014024034044054064074084094104114124134144154164174184194204214224234244254264274284294304314324334344354364374384394404414424434444454464474484494504514524534544554564574584594604614624634644654664674684694704714724734744754764774784794804814824834844854864874884894904914924934944954964974984995005015025035045055065075085095105115125135145155165175185195205215225235245255265275285295305315325335345355365375385395405415425435445455465475485495505515525535545555565575585595605615625635645655665675685695705715725735745755765775785795805815825835845855865875885895905915925935945955965975985996006016026036046056066076086096106116126136146156166176186196206216226236246256266276286296306316326336346356366376386396406416426436446456466476486496506516526536546556566576586596606616626636646656666676686696706716726736746756766776786796806816826836846856866876886896906916926936946956966976986997007017027037047057067077087097107117127137147157167177187197207217227237247257267277287297307317327337347357367377387397407417427437447457467477487497507517527537547557567577587597607617627637647657667677687697707717727737747757767777787797807817827837847857867877887897907917927937947957967977987998008018028038048058068078088098108118128138148158168178188198208218228238248258268278288298308318328338348358368378388398408418428438448458468478488498508518528538548558568578588598608618628638648658668678688698708718728738748758768778788798808818828838848858868878888898908918928938948958968978988999009019029039049059069079089099109119129139149159169179189199209219229239249259269279289299309319329339349359369379389399409419429439449459469479489499509519529539549559569579589599609619629639649659669679689699709719729739749759769779789799809819829839849859869879889899909919929939949959969979989991000100110021003100410051006100710081009101010111012101310141015101610171018101910201021102210231024102510261027102810291030103110321033103410351036103710381039104010411042104310441045104610471048104910501051105210531054105510561057105810591060106110621063106410651066106710681069107010711072107310741075107610771078107910801081108210831084108510861087108810891090109110921093109410951096109710981099110011011102110311041105110611071108110911101111111211131114111511161117111811191120112111221123112411251126112711281129113011311132113311341135113611371138113911401141114211431144114511461147114811491150115111521153115411551156115711581159116011611162116311641165116611671168116911701171117211731174117511761177117811791180118111821183118411851186118711881189119011911192119311941195119611971198119912001201120212031204120512061207120812091210121112121213121412151216121712181219122012211222122312241225122612271228122912301231123212331234123512361237123812391240124112421243124412451246124712481249125012511252125312541255125612571258125912601261126212631264126512661267126812691270127112721273
  1. # -*- coding: utf-8 -*-
  2. """Version of multiprocessing.Pool using Async I/O.
  3. .. note::
  4. This module will be moved soon, so don't use it directly.
  5. This is a non-blocking version of :class:`multiprocessing.Pool`.
  6. This code deals with three major challenges:
  7. #. Starting up child processes and keeping them running.
  8. #. Sending jobs to the processes and receiving results back.
  9. #. Safely shutting down this system.
  10. """
  11. from __future__ import generator_stop
  12. import errno
  13. import gc
  14. import os
  15. import select
  16. import socket
  17. import struct
  18. import time
  19. from collections import Counter, deque, namedtuple
  20. from io import BytesIO
  21. from numbers import Integral
  22. from pickle import HIGHEST_PROTOCOL
  23. from time import sleep
  24. from weakref import WeakValueDictionary, ref
  25. from billiard.pool import RUN, TERMINATE, ACK, NACK, WorkersJoined
  26. from billiard import pool as _pool
  27. from billiard.compat import buf_t, setblocking, isblocking
  28. from billiard.queues import _SimpleQueue
  29. from kombu.async import WRITE, ERR
  30. from kombu.serialization import pickle as _pickle
  31. from kombu.utils.eventio import SELECT_BAD_FD
  32. from kombu.utils.functional import fxrange
  33. from vine import promise
  34. from celery.utils.functional import noop
  35. from celery.utils.log import get_logger
  36. from celery.worker import state as worker_state
  37. # pylint: disable=redefined-outer-name
  38. # We cache globals and attribute lookups, so disable this warning.
  39. try:
  40. from _billiard import read as __read__
  41. from struct import unpack_from as _unpack_from
  42. memoryview = memoryview
  43. readcanbuf = True
  44. unpack_from = _unpack_from # noqa
  45. except (ImportError, NameError): # pragma: no cover
  46. def __read__(fd, buf, size, read=os.read): # noqa
  47. chunk = read(fd, size)
  48. n = len(chunk)
  49. if n != 0:
  50. buf.write(chunk)
  51. return n
  52. readcanbuf = False # noqa
  53. def unpack_from(fmt, iobuf, unpack=struct.unpack): # noqa
  54. return unpack(fmt, iobuf.getvalue()) # <-- BytesIO
  55. __all__ = ['AsynPool']
  56. logger = get_logger(__name__)
  57. error, debug = logger.error, logger.debug
  58. UNAVAIL = frozenset({errno.EAGAIN, errno.EINTR})
  59. #: Constant sent by child process when started (ready to accept work)
  60. WORKER_UP = 15
  61. #: A process must've started before this timeout (in secs.) expires.
  62. PROC_ALIVE_TIMEOUT = 4.0
  63. SCHED_STRATEGY_FCFS = 1
  64. SCHED_STRATEGY_FAIR = 4
  65. SCHED_STRATEGIES = {
  66. None: SCHED_STRATEGY_FAIR,
  67. 'fast': SCHED_STRATEGY_FCFS,
  68. 'fcfs': SCHED_STRATEGY_FCFS,
  69. 'fair': SCHED_STRATEGY_FAIR,
  70. }
  71. SCHED_STRATEGY_TO_NAME = {v: k for k, v in SCHED_STRATEGIES.items()}
  72. Ack = namedtuple('Ack', ('id', 'fd', 'payload'))
  73. def gen_not_started(gen):
  74. """Return true if generator is not started."""
  75. # gi_frame is None when generator stopped.
  76. return gen.gi_frame and gen.gi_frame.f_lasti == -1
  77. def _get_job_writer(job):
  78. try:
  79. writer = job._writer
  80. except AttributeError:
  81. pass
  82. else:
  83. return writer() # is a weakref
  84. if hasattr(select, 'poll'):
  85. def _select_imp(readers=None, writers=None, err=None, timeout=0,
  86. poll=select.poll, POLLIN=select.POLLIN,
  87. POLLOUT=select.POLLOUT, POLLERR=select.POLLERR):
  88. poller = poll()
  89. register = poller.register
  90. if readers:
  91. [register(fd, POLLIN) for fd in readers]
  92. if writers:
  93. [register(fd, POLLOUT) for fd in writers]
  94. if err:
  95. [register(fd, POLLERR) for fd in err]
  96. R, W = set(), set()
  97. timeout = 0 if timeout and timeout < 0 else round(timeout * 1e3)
  98. events = poller.poll(timeout)
  99. for fd, event in events:
  100. if not isinstance(fd, Integral):
  101. fd = fd.fileno()
  102. if event & POLLIN:
  103. R.add(fd)
  104. if event & POLLOUT:
  105. W.add(fd)
  106. if event & POLLERR:
  107. R.add(fd)
  108. return R, W, 0
  109. else:
  110. def _select_imp(readers=None, writers=None, err=None, timeout=0):
  111. r, w, e = select.select(readers, writers, err, timeout)
  112. if e:
  113. r = list(set(r) | set(e))
  114. return r, w, 0
  115. def _select(readers=None, writers=None, err=None, timeout=0,
  116. poll=_select_imp):
  117. """Simple wrapper to :class:`~select.select`, using :`~select.poll`.
  118. Arguments:
  119. readers (Set[Fd]): Set of reader fds to test if readable.
  120. writers (Set[Fd]): Set of writer fds to test if writable.
  121. err (Set[Fd]): Set of fds to test for error condition.
  122. All fd sets passed must be mutable as this function
  123. will remove non-working fds from them, this also means
  124. the caller must make sure there are still fds in the sets
  125. before calling us again.
  126. Returns:
  127. Tuple[Set, Set, Set]: of ``(readable, writable, again)``, where
  128. ``readable`` is a set of fds that have data available for read,
  129. ``writable`` is a set of fds that's ready to be written to
  130. and ``again`` is a flag that if set means the caller must
  131. throw away the result and call us again.
  132. """
  133. readers = set() if readers is None else readers
  134. writers = set() if writers is None else writers
  135. err = set() if err is None else err
  136. try:
  137. return poll(readers, writers, err, timeout)
  138. except (select.error, socket.error) as exc:
  139. if exc.errno == errno.EINTR:
  140. return set(), set(), 1
  141. elif exc.errno in SELECT_BAD_FD:
  142. for fd in readers | writers | err:
  143. try:
  144. select.select([fd], [], [], 0)
  145. except (select.error, socket.error) as exc:
  146. if getattr(exc, 'errno', None) not in SELECT_BAD_FD:
  147. raise
  148. readers.discard(fd)
  149. writers.discard(fd)
  150. err.discard(fd)
  151. return set(), set(), 1
  152. else:
  153. raise
  154. class Worker(_pool.Worker):
  155. """Pool worker process."""
  156. def on_loop_start(self, pid):
  157. # our version sends a WORKER_UP message when the process is ready
  158. # to accept work, this will tell the parent that the inqueue fd
  159. # is writable.
  160. self.outq.put((WORKER_UP, (pid,)))
  161. class ResultHandler(_pool.ResultHandler):
  162. """Handles messages from the pool processes."""
  163. def __init__(self, *args, **kwargs):
  164. self.fileno_to_outq = kwargs.pop('fileno_to_outq')
  165. self.on_process_alive = kwargs.pop('on_process_alive')
  166. super().__init__(*args, **kwargs)
  167. # add our custom message handler
  168. self.state_handlers[WORKER_UP] = self.on_process_alive
  169. def _recv_message(self, add_reader, fd, callback,
  170. __read__=__read__, readcanbuf=readcanbuf,
  171. BytesIO=BytesIO, unpack_from=unpack_from,
  172. load=_pickle.load):
  173. Hr = Br = 0
  174. if readcanbuf:
  175. buf = bytearray(4)
  176. bufv = memoryview(buf)
  177. else:
  178. buf = bufv = BytesIO()
  179. # header
  180. while Hr < 4:
  181. try:
  182. n = __read__(
  183. fd, bufv[Hr:] if readcanbuf else bufv, 4 - Hr,
  184. )
  185. except (BlockingIOError, InterruptedError):
  186. yield
  187. else:
  188. if n == 0:
  189. raise (OSError('End of file during message') if Hr
  190. else EOFError())
  191. Hr += n
  192. body_size, = unpack_from('>i', bufv)
  193. if readcanbuf:
  194. buf = bytearray(body_size)
  195. bufv = memoryview(buf)
  196. else:
  197. buf = bufv = BytesIO()
  198. while Br < body_size:
  199. try:
  200. n = __read__(
  201. fd, bufv[Br:] if readcanbuf else bufv, body_size - Br,
  202. )
  203. except (BlockingIOError, InterruptedError):
  204. yield
  205. else:
  206. if n == 0:
  207. raise (OSError('End of file during message') if Br
  208. else EOFError())
  209. Br += n
  210. add_reader(fd, self.handle_event, fd)
  211. if readcanbuf:
  212. message = load(BytesIO(bufv))
  213. else:
  214. bufv.seek(0)
  215. message = load(bufv)
  216. if message:
  217. callback(message)
  218. def _make_process_result(self, hub):
  219. """Coroutine reading messages from the pool processes."""
  220. fileno_to_outq = self.fileno_to_outq
  221. on_state_change = self.on_state_change
  222. add_reader = hub.add_reader
  223. remove_reader = hub.remove_reader
  224. recv_message = self._recv_message
  225. def on_result_readable(fileno):
  226. try:
  227. fileno_to_outq[fileno]
  228. except KeyError: # process gone
  229. return remove_reader(fileno)
  230. it = recv_message(add_reader, fileno, on_state_change)
  231. try:
  232. next(it)
  233. except StopIteration:
  234. pass
  235. except (IOError, OSError, EOFError):
  236. remove_reader(fileno)
  237. else:
  238. add_reader(fileno, it)
  239. return on_result_readable
  240. def register_with_event_loop(self, hub):
  241. self.handle_event = self._make_process_result(hub)
  242. def handle_event(self, *args):
  243. # pylint: disable=method-hidden
  244. # register_with_event_loop overrides this
  245. raise RuntimeError('Not registered with event loop')
  246. def on_stop_not_started(self):
  247. # This is always used, since we do not start any threads.
  248. cache = self.cache
  249. check_timeouts = self.check_timeouts
  250. fileno_to_outq = self.fileno_to_outq
  251. on_state_change = self.on_state_change
  252. join_exited_workers = self.join_exited_workers
  253. # flush the processes outqueues until they've all terminated.
  254. outqueues = set(fileno_to_outq)
  255. while cache and outqueues and self._state != TERMINATE:
  256. if check_timeouts is not None:
  257. # make sure tasks with a time limit will time out.
  258. check_timeouts()
  259. # cannot iterate and remove at the same time
  260. pending_remove_fd = set()
  261. for fd in outqueues:
  262. self._flush_outqueue(
  263. fd, pending_remove_fd.add, fileno_to_outq,
  264. on_state_change,
  265. )
  266. try:
  267. join_exited_workers(shutdown=True)
  268. except WorkersJoined:
  269. return debug('result handler: all workers terminated')
  270. outqueues.difference_update(pending_remove_fd)
  271. def _flush_outqueue(self, fd, remove, process_index, on_state_change):
  272. try:
  273. proc = process_index[fd]
  274. except KeyError:
  275. # process already found terminated
  276. # this means its outqueue has already been processed
  277. # by the worker lost handler.
  278. return remove(fd)
  279. reader = proc.outq._reader
  280. try:
  281. setblocking(reader, 1)
  282. except (OSError, IOError):
  283. return remove(fd)
  284. try:
  285. if reader.poll(0):
  286. task = reader.recv()
  287. else:
  288. task = None
  289. sleep(0.5)
  290. except (IOError, EOFError):
  291. return remove(fd)
  292. else:
  293. if task:
  294. on_state_change(task)
  295. finally:
  296. try:
  297. setblocking(reader, 0)
  298. except (OSError, IOError):
  299. return remove(fd)
  300. class AsynPool(_pool.Pool):
  301. """AsyncIO Pool (no threads)."""
  302. ResultHandler = ResultHandler
  303. Worker = Worker
  304. def WorkerProcess(self, worker):
  305. worker = super().WorkerProcess(worker)
  306. worker.dead = False
  307. return worker
  308. def __init__(self, processes=None, synack=False,
  309. sched_strategy=None, *args, **kwargs):
  310. self.sched_strategy = SCHED_STRATEGIES.get(sched_strategy,
  311. sched_strategy)
  312. processes = self.cpu_count() if processes is None else processes
  313. self.synack = synack
  314. # create queue-pairs for all our processes in advance.
  315. self._queues = {
  316. self.create_process_queues(): None for _ in range(processes)
  317. }
  318. # inqueue fileno -> process mapping
  319. self._fileno_to_inq = {}
  320. # outqueue fileno -> process mapping
  321. self._fileno_to_outq = {}
  322. # synqueue fileno -> process mapping
  323. self._fileno_to_synq = {}
  324. # We keep track of processes that haven't yet
  325. # sent a WORKER_UP message. If a process fails to send
  326. # this message within proc_up_timeout we terminate it
  327. # and hope the next process will recover.
  328. self._proc_alive_timeout = PROC_ALIVE_TIMEOUT
  329. self._waiting_to_start = set()
  330. # denormalized set of all inqueues.
  331. self._all_inqueues = set()
  332. # Set of fds being written to (busy)
  333. self._active_writes = set()
  334. # Set of active co-routines currently writing jobs.
  335. self._active_writers = set()
  336. # Set of fds that are busy (executing task)
  337. self._busy_workers = set()
  338. self._mark_worker_as_available = self._busy_workers.discard
  339. # Holds jobs waiting to be written to child processes.
  340. self.outbound_buffer = deque()
  341. self.write_stats = Counter()
  342. super().__init__(processes, *args, **kwargs)
  343. for proc in self._pool:
  344. # create initial mappings, these will be updated
  345. # as processes are recycled, or found lost elsewhere.
  346. self._fileno_to_outq[proc.outqR_fd] = proc
  347. self._fileno_to_synq[proc.synqW_fd] = proc
  348. self.on_soft_timeout = getattr(
  349. self._timeout_handler, 'on_soft_timeout', noop,
  350. )
  351. self.on_hard_timeout = getattr(
  352. self._timeout_handler, 'on_hard_timeout', noop,
  353. )
  354. def _create_worker_process(self, i):
  355. gc.collect() # Issue #2927
  356. return super()._create_worker_process(i)
  357. def _event_process_exit(self, hub, proc):
  358. # This method is called whenever the process sentinel is readable.
  359. self._untrack_child_process(proc, hub)
  360. self.maintain_pool()
  361. def _track_child_process(self, proc, hub):
  362. try:
  363. fd = proc._sentinel_poll
  364. except AttributeError:
  365. # we need to duplicate the fd here to carefully
  366. # control when the fd is removed from the process table,
  367. # as once the original fd is closed we cannot unregister
  368. # the fd from epoll(7) anymore, causing a 100% CPU poll loop.
  369. fd = proc._sentinel_poll = os.dup(proc._popen.sentinel)
  370. hub.add_reader(fd, self._event_process_exit, hub, proc)
  371. def _untrack_child_process(self, proc, hub):
  372. if proc._sentinel_poll is not None:
  373. fd, proc._sentinel_poll = proc._sentinel_poll, None
  374. hub.remove(fd)
  375. os.close(fd)
  376. def register_with_event_loop(self, hub):
  377. """Register the async pool with the current event loop."""
  378. self._result_handler.register_with_event_loop(hub)
  379. self.handle_result_event = self._result_handler.handle_event
  380. self._create_timelimit_handlers(hub)
  381. self._create_process_handlers(hub)
  382. self._create_write_handlers(hub)
  383. # Add handler for when a process exits (calls maintain_pool)
  384. [self._track_child_process(w, hub) for w in self._pool]
  385. # Handle_result_event is called whenever one of the
  386. # result queues are readable.
  387. [hub.add_reader(fd, self.handle_result_event, fd)
  388. for fd in self._fileno_to_outq]
  389. # Timers include calling maintain_pool at a regular interval
  390. # to be certain processes are restarted.
  391. for handler, interval in self.timers.items():
  392. hub.call_repeatedly(interval, handler)
  393. hub.on_tick.add(self.on_poll_start)
  394. def _create_timelimit_handlers(self, hub):
  395. """Create handlers used to implement time limits."""
  396. call_later = hub.call_later
  397. trefs = self._tref_for_id = WeakValueDictionary()
  398. def on_timeout_set(R, soft, hard):
  399. if soft:
  400. trefs[R._job] = call_later(
  401. soft, self._on_soft_timeout, R._job, soft, hard, hub,
  402. )
  403. elif hard:
  404. trefs[R._job] = call_later(
  405. hard, self._on_hard_timeout, R._job,
  406. )
  407. self.on_timeout_set = on_timeout_set
  408. def _discard_tref(job):
  409. try:
  410. tref = trefs.pop(job)
  411. tref.cancel()
  412. del tref
  413. except (KeyError, AttributeError):
  414. pass # out of scope
  415. self._discard_tref = _discard_tref
  416. def on_timeout_cancel(R):
  417. _discard_tref(R._job)
  418. self.on_timeout_cancel = on_timeout_cancel
  419. def _on_soft_timeout(self, job, soft, hard, hub, now=time.time):
  420. # only used by async pool.
  421. if hard:
  422. self._tref_for_id[job] = hub.call_at(
  423. now() + (hard - soft), self._on_hard_timeout, job,
  424. )
  425. try:
  426. result = self._cache[job]
  427. except KeyError:
  428. pass # job ready
  429. else:
  430. self.on_soft_timeout(result)
  431. finally:
  432. if not hard:
  433. # remove tref
  434. self._discard_tref(job)
  435. def _on_hard_timeout(self, job):
  436. # only used by async pool.
  437. try:
  438. result = self._cache[job]
  439. except KeyError:
  440. pass # job ready
  441. else:
  442. self.on_hard_timeout(result)
  443. finally:
  444. # remove tref
  445. self._discard_tref(job)
  446. def on_job_ready(self, job, i, obj, inqW_fd):
  447. self._mark_worker_as_available(inqW_fd)
  448. def _create_process_handlers(self, hub):
  449. """Create handlers called on process up/down, etc."""
  450. add_reader, remove_reader, remove_writer = (
  451. hub.add_reader, hub.remove_reader, hub.remove_writer,
  452. )
  453. cache = self._cache
  454. all_inqueues = self._all_inqueues
  455. fileno_to_inq = self._fileno_to_inq
  456. fileno_to_outq = self._fileno_to_outq
  457. fileno_to_synq = self._fileno_to_synq
  458. busy_workers = self._busy_workers
  459. handle_result_event = self.handle_result_event
  460. process_flush_queues = self.process_flush_queues
  461. waiting_to_start = self._waiting_to_start
  462. def verify_process_alive(proc):
  463. proc = proc() # is a weakref
  464. if (proc is not None and proc._is_alive() and
  465. proc in waiting_to_start):
  466. assert proc.outqR_fd in fileno_to_outq
  467. assert fileno_to_outq[proc.outqR_fd] is proc
  468. assert proc.outqR_fd in hub.readers
  469. error('Timed out waiting for UP message from %r', proc)
  470. os.kill(proc.pid, 9)
  471. def on_process_up(proc):
  472. """Called when a process has started."""
  473. # If we got the same fd as a previous process then we'll also
  474. # receive jobs in the old buffer, so we need to reset the
  475. # job._write_to and job._scheduled_for attributes used to recover
  476. # message boundaries when processes exit.
  477. infd = proc.inqW_fd
  478. for job in cache.values():
  479. if job._write_to and job._write_to.inqW_fd == infd:
  480. job._write_to = proc
  481. if job._scheduled_for and job._scheduled_for.inqW_fd == infd:
  482. job._scheduled_for = proc
  483. fileno_to_outq[proc.outqR_fd] = proc
  484. # maintain_pool is called whenever a process exits.
  485. self._track_child_process(proc, hub)
  486. assert not isblocking(proc.outq._reader)
  487. # handle_result_event is called when the processes outqueue is
  488. # readable.
  489. add_reader(proc.outqR_fd, handle_result_event, proc.outqR_fd)
  490. waiting_to_start.add(proc)
  491. hub.call_later(
  492. self._proc_alive_timeout, verify_process_alive, ref(proc),
  493. )
  494. self.on_process_up = on_process_up
  495. def _remove_from_index(obj, proc, index, remove_fun, callback=None):
  496. # this remove the file descriptors for a process from
  497. # the indices. we have to make sure we don't overwrite
  498. # another processes fds, as the fds may be reused.
  499. try:
  500. fd = obj.fileno()
  501. except (IOError, OSError):
  502. return
  503. try:
  504. if index[fd] is proc:
  505. # fd hasn't been reused so we can remove it from index.
  506. index.pop(fd, None)
  507. except KeyError:
  508. pass
  509. else:
  510. remove_fun(fd)
  511. if callback is not None:
  512. callback(fd)
  513. return fd
  514. def on_process_down(proc):
  515. """Called when a worker process exits."""
  516. if getattr(proc, 'dead', None):
  517. return
  518. process_flush_queues(proc)
  519. _remove_from_index(
  520. proc.outq._reader, proc, fileno_to_outq, remove_reader,
  521. )
  522. if proc.synq:
  523. _remove_from_index(
  524. proc.synq._writer, proc, fileno_to_synq, remove_writer,
  525. )
  526. inq = _remove_from_index(
  527. proc.inq._writer, proc, fileno_to_inq, remove_writer,
  528. callback=all_inqueues.discard,
  529. )
  530. if inq:
  531. busy_workers.discard(inq)
  532. self._untrack_child_process(proc, hub)
  533. waiting_to_start.discard(proc)
  534. self._active_writes.discard(proc.inqW_fd)
  535. remove_writer(proc.inq._writer)
  536. remove_reader(proc.outq._reader)
  537. if proc.synqR_fd:
  538. remove_reader(proc.synq._reader)
  539. if proc.synqW_fd:
  540. self._active_writes.discard(proc.synqW_fd)
  541. remove_reader(proc.synq._writer)
  542. self.on_process_down = on_process_down
  543. def _create_write_handlers(self, hub,
  544. pack=struct.pack, dumps=_pickle.dumps,
  545. protocol=HIGHEST_PROTOCOL):
  546. """Create handlers used to write data to child processes."""
  547. fileno_to_inq = self._fileno_to_inq
  548. fileno_to_synq = self._fileno_to_synq
  549. outbound = self.outbound_buffer
  550. pop_message = outbound.popleft
  551. put_message = outbound.append
  552. all_inqueues = self._all_inqueues
  553. active_writes = self._active_writes
  554. active_writers = self._active_writers
  555. busy_workers = self._busy_workers
  556. diff = all_inqueues.difference
  557. add_writer = hub.add_writer
  558. hub_add, hub_remove = hub.add, hub.remove
  559. mark_write_fd_as_active = active_writes.add
  560. mark_write_gen_as_active = active_writers.add
  561. mark_worker_as_busy = busy_workers.add
  562. write_generator_done = active_writers.discard
  563. get_job = self._cache.__getitem__
  564. write_stats = self.write_stats
  565. is_fair_strategy = self.sched_strategy == SCHED_STRATEGY_FAIR
  566. revoked_tasks = worker_state.revoked
  567. getpid = os.getpid
  568. precalc = {ACK: self._create_payload(ACK, (0,)),
  569. NACK: self._create_payload(NACK, (0,))}
  570. def _put_back(job, _time=time.time):
  571. # puts back at the end of the queue
  572. if job._terminated is not None or \
  573. job.correlation_id in revoked_tasks:
  574. if not job._accepted:
  575. job._ack(None, _time(), getpid(), None)
  576. job._set_terminated(job._terminated)
  577. else:
  578. # XXX linear lookup, should find a better way,
  579. # but this happens rarely and is here to protect against races.
  580. if job not in outbound:
  581. outbound.appendleft(job)
  582. self._put_back = _put_back
  583. # called for every event loop iteration, and if there
  584. # are messages pending this will schedule writing one message
  585. # by registering the 'schedule_writes' function for all currently
  586. # inactive inqueues (not already being written to)
  587. # consolidate means the event loop will merge them
  588. # and call the callback once with the list writable fds as
  589. # argument. Using this means we minimize the risk of having
  590. # the same fd receive every task if the pipe read buffer is not
  591. # full.
  592. if is_fair_strategy:
  593. def on_poll_start():
  594. if outbound and len(busy_workers) < len(all_inqueues):
  595. # print('ALL: %r ACTIVE: %r' % (len(all_inqueues),
  596. # len(active_writes)))
  597. inactive = diff(active_writes)
  598. [hub_add(fd, None, WRITE | ERR, consolidate=True)
  599. for fd in inactive]
  600. else:
  601. [hub_remove(fd) for fd in diff(active_writes)]
  602. else:
  603. def on_poll_start(): # noqa
  604. if outbound:
  605. [hub_add(fd, None, WRITE | ERR, consolidate=True)
  606. for fd in diff(active_writes)]
  607. else:
  608. [hub_remove(fd) for fd in diff(active_writes)]
  609. self.on_poll_start = on_poll_start
  610. def on_inqueue_close(fd, proc):
  611. # Makes sure the fd is removed from tracking when
  612. # the connection is closed, this is essential as fds may be reused.
  613. busy_workers.discard(fd)
  614. try:
  615. if fileno_to_inq[fd] is proc:
  616. fileno_to_inq.pop(fd, None)
  617. active_writes.discard(fd)
  618. all_inqueues.discard(fd)
  619. hub_remove(fd)
  620. except KeyError:
  621. pass
  622. self.on_inqueue_close = on_inqueue_close
  623. def schedule_writes(ready_fds, total_write_count=[0]):
  624. # Schedule write operation to ready file descriptor.
  625. # The file descriptor is writable, but that does not
  626. # mean the process is currently reading from the socket.
  627. # The socket is buffered so writable simply means that
  628. # the buffer can accept at least 1 byte of data.
  629. # This means we have to cycle between the ready fds.
  630. # the first version used shuffle, but this version
  631. # using `total_writes % ready_fds` is about 30% faster
  632. # with many processes, and also leans more towards fairness
  633. # in write stats when used with many processes
  634. # [XXX On macOS, this may vary depending
  635. # on event loop implementation (i.e, select/poll vs epoll), so
  636. # have to test further]
  637. num_ready = len(ready_fds)
  638. for _ in range(num_ready):
  639. ready_fd = ready_fds[total_write_count[0] % num_ready]
  640. total_write_count[0] += 1
  641. if ready_fd in active_writes:
  642. # already writing to this fd
  643. continue
  644. if is_fair_strategy and ready_fd in busy_workers:
  645. # worker is already busy with another task
  646. continue
  647. if ready_fd not in all_inqueues:
  648. hub_remove(ready_fd)
  649. continue
  650. try:
  651. job = pop_message()
  652. except IndexError:
  653. # no more messages, remove all inactive fds from the hub.
  654. # this is important since the fds are always writable
  655. # as long as there's 1 byte left in the buffer, and so
  656. # this may create a spinloop where the event loop
  657. # always wakes up.
  658. for inqfd in diff(active_writes):
  659. hub_remove(inqfd)
  660. break
  661. else:
  662. if not job._accepted: # job not accepted by another worker
  663. try:
  664. # keep track of what process the write operation
  665. # was scheduled for.
  666. proc = job._scheduled_for = fileno_to_inq[ready_fd]
  667. except KeyError:
  668. # write was scheduled for this fd but the process
  669. # has since exited and the message must be sent to
  670. # another process.
  671. put_message(job)
  672. continue
  673. cor = _write_job(proc, ready_fd, job)
  674. job._writer = ref(cor)
  675. mark_write_gen_as_active(cor)
  676. mark_write_fd_as_active(ready_fd)
  677. mark_worker_as_busy(ready_fd)
  678. # Try to write immediately, in case there's an error.
  679. try:
  680. next(cor)
  681. except StopIteration:
  682. pass
  683. except OSError as exc:
  684. if exc.errno != errno.EBADF:
  685. raise
  686. else:
  687. add_writer(ready_fd, cor)
  688. hub.consolidate_callback = schedule_writes
  689. def send_job(tup):
  690. # Schedule writing job request for when one of the process
  691. # inqueues are writable.
  692. body = dumps(tup, protocol=protocol)
  693. body_size = len(body)
  694. header = pack('>I', body_size)
  695. # index 1,0 is the job ID.
  696. job = get_job(tup[1][0])
  697. job._payload = buf_t(header), buf_t(body), body_size
  698. put_message(job)
  699. self._quick_put = send_job
  700. def on_not_recovering(proc, fd, job, exc):
  701. logger.exception(
  702. 'Process inqueue damaged: %r %r: %r', proc, proc.exitcode, exc)
  703. if proc._is_alive():
  704. proc.terminate()
  705. hub.remove(fd)
  706. self._put_back(job)
  707. def _write_job(proc, fd, job):
  708. # writes job to the worker process.
  709. # Operation must complete if more than one byte of data
  710. # was written. If the broker connection is lost
  711. # and no data was written the operation shall be canceled.
  712. header, body, body_size = job._payload
  713. errors = 0
  714. try:
  715. # job result keeps track of what process the job is sent to.
  716. job._write_to = proc
  717. send = proc.send_job_offset
  718. Hw = Bw = 0
  719. # write header
  720. while Hw < 4:
  721. try:
  722. Hw += send(header, Hw)
  723. except (BlockingIOError, InterruptedError) as exc:
  724. # suspend until more data
  725. errors += 1
  726. if errors > 100:
  727. on_not_recovering(proc, fd, job, exc)
  728. raise StopIteration()
  729. yield
  730. else:
  731. errors = 0
  732. # write body
  733. while Bw < body_size:
  734. try:
  735. Bw += send(body, Bw)
  736. except (BlockingIOError, InterruptedError) as exc:
  737. # suspend until more data
  738. errors += 1
  739. if errors > 100:
  740. on_not_recovering(proc, fd, job, exc)
  741. raise StopIteration()
  742. yield
  743. else:
  744. errors = 0
  745. except StopIteration:
  746. pass
  747. finally:
  748. hub_remove(fd)
  749. write_stats[proc.index] += 1
  750. # message written, so this fd is now available
  751. active_writes.discard(fd)
  752. write_generator_done(job._writer()) # is a weakref
  753. def send_ack(response, pid, job, fd):
  754. # Only used when synack is enabled.
  755. # Schedule writing ack response for when the fd is writable.
  756. msg = Ack(job, fd, precalc[response])
  757. callback = promise(write_generator_done)
  758. cor = _write_ack(fd, msg, callback=callback)
  759. mark_write_gen_as_active(cor)
  760. mark_write_fd_as_active(fd)
  761. callback.args = (cor,)
  762. add_writer(fd, cor)
  763. self.send_ack = send_ack
  764. def _write_ack(fd, ack, callback=None):
  765. # writes ack back to the worker if synack enabled.
  766. # this operation *MUST* complete, otherwise
  767. # the worker process will hang waiting for the ack.
  768. header, body, body_size = ack[2]
  769. try:
  770. try:
  771. proc = fileno_to_synq[fd]
  772. except KeyError:
  773. # process died, we can safely discard the ack at this
  774. # point.
  775. raise StopIteration()
  776. send = proc.send_syn_offset
  777. Hw = Bw = 0
  778. # write header
  779. while Hw < 4:
  780. try:
  781. Hw += send(header, Hw)
  782. except (BlockingIOError, InterruptedError):
  783. yield
  784. # write body
  785. while Bw < body_size:
  786. try:
  787. Bw += send(body, Bw)
  788. except (BlockingIOError, InterruptedError):
  789. # suspend until more data
  790. yield
  791. finally:
  792. if callback:
  793. callback()
  794. # message written, so this fd is now available
  795. active_writes.discard(fd)
  796. def flush(self):
  797. if self._state == TERMINATE:
  798. return
  799. # cancel all tasks that haven't been accepted so that NACK is sent.
  800. for job in self._cache.values():
  801. if not job._accepted:
  802. job._cancel()
  803. # clear the outgoing buffer as the tasks will be redelivered by
  804. # the broker anyway.
  805. if self.outbound_buffer:
  806. self.outbound_buffer.clear()
  807. self.maintain_pool()
  808. try:
  809. # ...but we must continue writing the payloads we already started
  810. # to keep message boundaries.
  811. # The messages may be NACK'ed later if synack is enabled.
  812. if self._state == RUN:
  813. # flush outgoing buffers
  814. intervals = fxrange(0.01, 0.1, 0.01, repeatlast=True)
  815. owned_by = {}
  816. for job in self._cache.values():
  817. writer = _get_job_writer(job)
  818. if writer is not None:
  819. owned_by[writer] = job
  820. while self._active_writers:
  821. writers = list(self._active_writers)
  822. for gen in writers:
  823. if (gen.__name__ == '_write_job' and
  824. gen_not_started(gen)):
  825. # hasn't started writing the job so can
  826. # discard the task, but we must also remove
  827. # it from the Pool._cache.
  828. try:
  829. job = owned_by[gen]
  830. except KeyError:
  831. pass
  832. else:
  833. # removes from Pool._cache
  834. job.discard()
  835. self._active_writers.discard(gen)
  836. else:
  837. try:
  838. job = owned_by[gen]
  839. except KeyError:
  840. pass
  841. else:
  842. job_proc = job._write_to
  843. if job_proc._is_alive():
  844. self._flush_writer(job_proc, gen)
  845. # workers may have exited in the meantime.
  846. self.maintain_pool()
  847. sleep(next(intervals)) # don't busyloop
  848. finally:
  849. self.outbound_buffer.clear()
  850. self._active_writers.clear()
  851. self._active_writes.clear()
  852. self._busy_workers.clear()
  853. def _flush_writer(self, proc, writer):
  854. fds = {proc.inq._writer}
  855. try:
  856. while fds:
  857. if not proc._is_alive():
  858. break # process exited
  859. readable, writable, again = _select(
  860. writers=fds, err=fds, timeout=0.5,
  861. )
  862. if not again and (writable or readable):
  863. try:
  864. next(writer)
  865. except (StopIteration, OSError, IOError, EOFError):
  866. break
  867. finally:
  868. self._active_writers.discard(writer)
  869. def get_process_queues(self):
  870. """Get queues for a new process.
  871. Here we'll find an unused slot, as there should always
  872. be one available when we start a new process.
  873. """
  874. return next(q for q, owner in self._queues.items()
  875. if owner is None)
  876. def on_grow(self, n):
  877. """Grow the pool by ``n`` proceses."""
  878. diff = max(self._processes - len(self._queues), 0)
  879. if diff:
  880. self._queues.update({
  881. self.create_process_queues(): None for _ in range(diff)
  882. })
  883. def on_shrink(self, n):
  884. """Shrink the pool by ``n`` processes."""
  885. pass
  886. def create_process_queues(self):
  887. """Create new in, out, etc. queues, returned as a tuple."""
  888. # NOTE: Pipes must be set O_NONBLOCK at creation time (the original
  889. # fd), otherwise it won't be possible to change the flags until
  890. # there's an actual reader/writer on the other side.
  891. inq = _SimpleQueue(wnonblock=True)
  892. outq = _SimpleQueue(rnonblock=True)
  893. synq = None
  894. assert isblocking(inq._reader)
  895. assert not isblocking(inq._writer)
  896. assert not isblocking(outq._reader)
  897. assert isblocking(outq._writer)
  898. if self.synack:
  899. synq = _SimpleQueue(wnonblock=True)
  900. assert isblocking(synq._reader)
  901. assert not isblocking(synq._writer)
  902. return inq, outq, synq
  903. def on_process_alive(self, pid):
  904. """Called when reciving the :const:`WORKER_UP` message.
  905. Marks the process as ready to receive work.
  906. """
  907. try:
  908. proc = next(w for w in self._pool if w.pid == pid)
  909. except StopIteration:
  910. return logger.warning('process with pid=%s already exited', pid)
  911. assert proc.inqW_fd not in self._fileno_to_inq
  912. assert proc.inqW_fd not in self._all_inqueues
  913. self._waiting_to_start.discard(proc)
  914. self._fileno_to_inq[proc.inqW_fd] = proc
  915. self._fileno_to_synq[proc.synqW_fd] = proc
  916. self._all_inqueues.add(proc.inqW_fd)
  917. def on_job_process_down(self, job, pid_gone):
  918. """Called for each job when the process assigned to it exits."""
  919. if job._write_to and not job._write_to._is_alive():
  920. # job was partially written
  921. self.on_partial_read(job, job._write_to)
  922. elif job._scheduled_for and not job._scheduled_for._is_alive():
  923. # job was only scheduled to be written to this process,
  924. # but no data was sent so put it back on the outbound_buffer.
  925. self._put_back(job)
  926. def on_job_process_lost(self, job, pid, exitcode):
  927. """Called when the process executing job' exits.
  928. This happens when the process job'
  929. was assigned to exited by mysterious means (error exitcodes and
  930. signals).
  931. """
  932. self.mark_as_worker_lost(job, exitcode)
  933. def human_write_stats(self):
  934. if self.write_stats is None:
  935. return 'N/A'
  936. vals = list(self.write_stats.values())
  937. total = sum(vals)
  938. def per(v, total):
  939. return '{0:.2%}'.format((float(v) / total) if v else 0)
  940. return {
  941. 'total': total,
  942. 'avg': per(total / len(self.write_stats) if total else 0, total),
  943. 'all': ', '.join(per(v, total) for v in vals),
  944. 'raw': ', '.join(map(str, vals)),
  945. 'strategy': SCHED_STRATEGY_TO_NAME[self.sched_strategy],
  946. 'inqueues': {
  947. 'total': len(self._all_inqueues),
  948. 'active': len(self._active_writes),
  949. }
  950. }
  951. def _process_cleanup_queues(self, proc):
  952. """Called to clean up queues after process exit."""
  953. if not proc.dead:
  954. try:
  955. self._queues[self._find_worker_queues(proc)] = None
  956. except (KeyError, ValueError):
  957. pass
  958. @staticmethod
  959. def _stop_task_handler(task_handler):
  960. """Called at shutdown to tell processes that we're shutting down."""
  961. for proc in task_handler.pool:
  962. try:
  963. setblocking(proc.inq._writer, 1)
  964. except (OSError, IOError):
  965. pass
  966. else:
  967. try:
  968. proc.inq.put(None)
  969. except OSError as exc:
  970. if exc.errno != errno.EBADF:
  971. raise
  972. def create_result_handler(self):
  973. return super().create_result_handler(
  974. fileno_to_outq=self._fileno_to_outq,
  975. on_process_alive=self.on_process_alive,
  976. )
  977. def _process_register_queues(self, proc, queues):
  978. """Mark new ownership for ``queues`` to update fileno indices."""
  979. assert queues in self._queues
  980. b = len(self._queues)
  981. self._queues[queues] = proc
  982. assert b == len(self._queues)
  983. def _find_worker_queues(self, proc):
  984. """Find the queues owned by ``proc``."""
  985. try:
  986. return next(q for q, owner in self._queues.items()
  987. if owner == proc)
  988. except StopIteration:
  989. raise ValueError(proc)
  990. def _setup_queues(self):
  991. # this is only used by the original pool that used a shared
  992. # queue for all processes.
  993. # these attributes makes no sense for us, but we'll still
  994. # have to initialize them.
  995. self._inqueue = self._outqueue = \
  996. self._quick_put = self._quick_get = self._poll_result = None
  997. def process_flush_queues(self, proc):
  998. """Flush all queues.
  999. Including the outbound buffer, so that
  1000. all tasks that haven't been started will be discarded.
  1001. In Celery this is called whenever the transport connection is lost
  1002. (consumer restart), and when a process is terminated.
  1003. """
  1004. resq = proc.outq._reader
  1005. on_state_change = self._result_handler.on_state_change
  1006. fds = {resq}
  1007. while fds and not resq.closed and self._state != TERMINATE:
  1008. readable, _, _ = _select(fds, None, fds, timeout=0.01)
  1009. if readable:
  1010. try:
  1011. task = resq.recv()
  1012. except (OSError, IOError, EOFError) as exc:
  1013. _errno = getattr(exc, 'errno', None)
  1014. if _errno == errno.EINTR:
  1015. continue
  1016. elif _errno == errno.EAGAIN:
  1017. break
  1018. elif _errno not in UNAVAIL:
  1019. debug('got %r while flushing process %r',
  1020. exc, proc, exc_info=1)
  1021. break
  1022. else:
  1023. if task is None:
  1024. debug('got sentinel while flushing process %r', proc)
  1025. break
  1026. else:
  1027. on_state_change(task)
  1028. else:
  1029. break
  1030. def on_partial_read(self, job, proc):
  1031. """Called when a job was partially written to exited child."""
  1032. # worker terminated by signal:
  1033. # we cannot reuse the sockets again, because we don't know if
  1034. # the process wrote/read anything frmo them, and if so we cannot
  1035. # restore the message boundaries.
  1036. if not job._accepted:
  1037. # job was not acked, so find another worker to send it to.
  1038. self._put_back(job)
  1039. writer = _get_job_writer(job)
  1040. if writer:
  1041. self._active_writers.discard(writer)
  1042. del writer
  1043. if not proc.dead:
  1044. proc.dead = True
  1045. # Replace queues to avoid reuse
  1046. before = len(self._queues)
  1047. try:
  1048. queues = self._find_worker_queues(proc)
  1049. if self.destroy_queues(queues, proc):
  1050. self._queues[self.create_process_queues()] = None
  1051. except ValueError:
  1052. pass
  1053. assert len(self._queues) == before
  1054. def destroy_queues(self, queues, proc):
  1055. """Destroy queues that can no longer be used.
  1056. This way they can be replaced by new usable sockets.
  1057. """
  1058. assert not proc._is_alive()
  1059. self._waiting_to_start.discard(proc)
  1060. removed = 1
  1061. try:
  1062. self._queues.pop(queues)
  1063. except KeyError:
  1064. removed = 0
  1065. try:
  1066. self.on_inqueue_close(queues[0]._writer.fileno(), proc)
  1067. except IOError:
  1068. pass
  1069. for queue in queues:
  1070. if queue:
  1071. for sock in (queue._reader, queue._writer):
  1072. if not sock.closed:
  1073. try:
  1074. sock.close()
  1075. except (IOError, OSError):
  1076. pass
  1077. return removed
  1078. def _create_payload(self, type_, args,
  1079. dumps=_pickle.dumps, pack=struct.pack,
  1080. protocol=HIGHEST_PROTOCOL):
  1081. body = dumps((type_, args), protocol=protocol)
  1082. size = len(body)
  1083. header = pack('>I', size)
  1084. return header, body, size
  1085. @classmethod
  1086. def _set_result_sentinel(cls, _outqueue, _pool):
  1087. # unused
  1088. pass
  1089. def _help_stuff_finish_args(self):
  1090. # Pool._help_stuff_finished is a classmethod so we have to use this
  1091. # trick to modify the arguments passed to it.
  1092. return (self._pool,)
  1093. @classmethod
  1094. def _help_stuff_finish(cls, pool):
  1095. # pylint: disable=arguments-differ
  1096. debug(
  1097. 'removing tasks from inqueue until task handler finished',
  1098. )
  1099. fileno_to_proc = {}
  1100. inqR = set()
  1101. for w in pool:
  1102. try:
  1103. fd = w.inq._reader.fileno()
  1104. inqR.add(fd)
  1105. fileno_to_proc[fd] = w
  1106. except IOError:
  1107. pass
  1108. while inqR:
  1109. readable, _, again = _select(inqR, timeout=0.5)
  1110. if again:
  1111. continue
  1112. if not readable:
  1113. break
  1114. for fd in readable:
  1115. fileno_to_proc[fd].inq._reader.recv()
  1116. sleep(0)
  1117. @property
  1118. def timers(self):
  1119. return {self.maintain_pool: 5.0}