bootsteps.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413
  1. # -*- coding: utf-8 -*-
  2. """A directed acyclic graph of reusable components."""
  3. from collections import deque
  4. from threading import Event
  5. from typing import Any, Callable, Mapping, Optional, Sequence, Tuple
  6. from kombu.common import ignore_errors
  7. from kombu.utils.imports import symbol_by_name
  8. from .utils.graph import DependencyGraph, GraphFormatter
  9. from .utils.imports import instantiate, qualname
  10. from .utils.log import get_logger
  11. from .utils.typing import Timeout
  12. try:
  13. from greenlet import GreenletExit
  14. except ImportError: # pragma: no cover
  15. IGNORE_ERRORS = ()
  16. else:
  17. IGNORE_ERRORS = (GreenletExit,)
  18. __all__ = ['Blueprint', 'Step', 'StartStopStep', 'ConsumerStep']
  19. #: States
  20. RUN = 0x1
  21. CLOSE = 0x2
  22. TERMINATE = 0x3
  23. logger = get_logger(__name__)
  24. class StepType(type):
  25. """Meta-class for steps."""
  26. def __new__(cls, name, bases, attrs):
  27. module = attrs.get('__module__')
  28. qname = '{0}.{1}'.format(module, name) if module else name
  29. attrs.update(
  30. __qualname__=qname,
  31. name=attrs.get('name') or qname,
  32. )
  33. return super().__new__(cls, name, bases, attrs)
  34. def __str__(self):
  35. return self.name
  36. def __repr__(self):
  37. return 'step:{0.name}{{{0.requires!r}}}'.format(self)
  38. class Step(metaclass=StepType):
  39. """A Bootstep.
  40. The :meth:`__init__` method is called when the step
  41. is bound to a parent object, and can as such be used
  42. to initialize attributes in the parent object at
  43. parent instantiation-time.
  44. """
  45. #: Optional step name, will use ``qualname`` if not specified.
  46. name = None
  47. #: Optional short name used for graph outputs and in logs.
  48. label = None
  49. #: Set this to true if the step is enabled based on some condition.
  50. conditional = False
  51. #: List of other steps that that must be started before this step.
  52. #: Note that all dependencies must be in the same blueprint.
  53. requires = ()
  54. #: This flag is reserved for the workers Consumer,
  55. #: since it is required to always be started last.
  56. #: There can only be one object marked last
  57. #: in every blueprint.
  58. last = False
  59. #: This provides the default for :meth:`include_if`.
  60. enabled = True
  61. def __init__(self, parent, **kwargs):
  62. pass
  63. def include_if(self, parent):
  64. """An optional predicate that decides whether this
  65. step should be created."""
  66. return self.enabled
  67. def instantiate(self, name, *args, **kwargs):
  68. return instantiate(name, *args, **kwargs)
  69. def _should_include(self, parent):
  70. if self.include_if(parent):
  71. return True, self.create(parent)
  72. return False, None
  73. def include(self, parent):
  74. return self._should_include(parent)[0]
  75. def create(self, parent):
  76. """Create the step."""
  77. pass
  78. def __repr__(self):
  79. return '<step: {0.alias}>'.format(self)
  80. @property
  81. def alias(self):
  82. return self.label or _label(self)
  83. def info(self, obj):
  84. pass
  85. class StartStopStep(Step):
  86. #: Optional obj created by the :meth:`create` method.
  87. #: This is used by :class:`StartStopStep` to keep the
  88. #: original service object.
  89. obj = None
  90. def start(self, parent):
  91. if self.obj:
  92. return self.obj.start()
  93. def stop(self, parent):
  94. if self.obj:
  95. return self.obj.stop()
  96. def close(self, parent):
  97. pass
  98. def terminate(self, parent):
  99. if self.obj:
  100. return getattr(self.obj, 'terminate', self.obj.stop)()
  101. def include(self, parent):
  102. inc, ret = self._should_include(parent)
  103. if inc:
  104. self.obj = ret
  105. parent.steps.append(self)
  106. return inc
  107. class ConsumerStep(StartStopStep):
  108. requires = ('celery.worker.consumer:Connection',)
  109. consumers = None
  110. def get_consumers(self, channel):
  111. raise NotImplementedError('missing get_consumers')
  112. def start(self, c):
  113. channel = c.connection.channel()
  114. self.consumers = self.get_consumers(channel)
  115. for consumer in self.consumers or []:
  116. consumer.consume()
  117. def stop(self, c):
  118. self._close(c, True)
  119. def shutdown(self, c):
  120. self._close(c, False)
  121. def _close(self, c, cancel_consumers=True):
  122. channels = set()
  123. for consumer in self.consumers or []:
  124. if cancel_consumers:
  125. ignore_errors(c.connection, consumer.cancel)
  126. if consumer.channel:
  127. channels.add(consumer.channel)
  128. for channel in channels:
  129. ignore_errors(c.connection, channel.close)
  130. def _pre(ns: Step, fmt: str) -> str:
  131. return '| {0}: {1}'.format(ns.alias, fmt)
  132. def _label(s: Step) -> str:
  133. return s.name.rsplit('.', 1)[-1]
  134. class StepFormatter(GraphFormatter):
  135. """Graph formatter for :class:`Blueprint`."""
  136. blueprint_prefix = '⧉'
  137. conditional_prefix = '∘'
  138. blueprint_scheme = {
  139. 'shape': 'parallelogram',
  140. 'color': 'slategray4',
  141. 'fillcolor': 'slategray3',
  142. }
  143. def label(self, step: Step) -> str:
  144. return step and '{0}{1}'.format(
  145. self._get_prefix(step),
  146. (step.label or _label(step)).encode('utf-8', 'ignore').decode(),
  147. )
  148. def _get_prefix(self, step: Step) -> str:
  149. if step.last:
  150. return self.blueprint_prefix
  151. if step.conditional:
  152. return self.conditional_prefix
  153. return ''
  154. def node(self, obj: Any, **attrs) -> str:
  155. scheme = self.blueprint_scheme if obj.last else self.node_scheme
  156. return self.draw_node(obj, scheme, attrs)
  157. def edge(self, a: Any, b: Any, **attrs) -> str:
  158. if a.last:
  159. attrs.update(arrowhead='none', color='darkseagreen3')
  160. return self.draw_edge(a, b, self.edge_scheme, attrs)
  161. class Blueprint:
  162. """Blueprint containing bootsteps that can be applied to objects.
  163. Arguments:
  164. steps Sequence[Union[str, Step]]: List of steps.
  165. name (str): Set explicit name for this blueprint.
  166. on_start (Callable): Optional callback applied after blueprint start.
  167. on_close (Callable): Optional callback applied before blueprint close.
  168. on_stopped (Callable): Optional callback applied after
  169. blueprint stopped.
  170. """
  171. GraphFormatter = StepFormatter
  172. name = None # type: Optional[str]
  173. state = None # type: Optional[int]
  174. started = 0 # type: int
  175. default_steps = set() # type: Set[Union[str, Step]]
  176. state_to_name = { # type: Mapping[int, str]
  177. 0: 'initializing',
  178. RUN: 'running',
  179. CLOSE: 'closing',
  180. TERMINATE: 'terminating',
  181. }
  182. def __init__(self, steps: Optional[Sequence]=None,
  183. name: Optional[str]=None,
  184. on_start: Optional[Callable[[], None]]=None,
  185. on_close: Optional[Callable[[], None]]=None,
  186. on_stopped: Optional[Callable[[], None]]=None) -> None:
  187. self.name = name or self.name or qualname(type(self))
  188. self.types = set(steps or []) | set(self.default_steps)
  189. self.on_start = on_start
  190. self.on_close = on_close
  191. self.on_stopped = on_stopped
  192. self.shutdown_complete = Event()
  193. self.steps = {} # type: Mapping[str, Step]
  194. def start(self, parent: Any) -> None:
  195. self.state = RUN
  196. if self.on_start:
  197. self.on_start()
  198. for i, step in enumerate(s for s in parent.steps if s is not None):
  199. self._debug('Starting %s', step.alias)
  200. self.started = i + 1
  201. step.start(parent)
  202. logger.debug('^-- substep ok')
  203. def human_state(self) -> str:
  204. return self.state_to_name[self.state or 0]
  205. def info(self, parent: Any) -> Mapping[str, Any]:
  206. info = {}
  207. for step in parent.steps:
  208. info.update(step.info(parent) or {})
  209. return info
  210. def close(self, parent: Any) -> None:
  211. if self.on_close:
  212. self.on_close()
  213. self.send_all(parent, 'close', 'closing', reverse=False)
  214. def restart(self, parent: Any, method: str='stop',
  215. description: str='restarting', propagate: bool=False) -> None:
  216. self.send_all(parent, method, description, propagate=propagate)
  217. def send_all(self, parent: Any, method: str,
  218. description: Optional[str]=None,
  219. reverse: bool=True, propagate: bool=True,
  220. args: Sequence=()) -> None:
  221. description = description or method.replace('_', ' ')
  222. steps = reversed(parent.steps) if reverse else parent.steps
  223. for step in steps:
  224. if step:
  225. fun = getattr(step, method, None)
  226. if fun is not None:
  227. self._debug('%s %s...',
  228. description.capitalize(), step.alias)
  229. try:
  230. fun(parent, *args)
  231. except Exception as exc: # pylint: disable=broad-except
  232. if propagate:
  233. raise
  234. logger.exception(
  235. 'Error on %s %s: %r', description, step.alias, exc)
  236. def stop(self, parent: Any,
  237. close: bool=True, terminate: bool=False) -> None:
  238. what = 'terminating' if terminate else 'stopping'
  239. if self.state in (CLOSE, TERMINATE):
  240. return
  241. if self.state != RUN or self.started != len(parent.steps):
  242. # Not fully started, can safely exit.
  243. self.state = TERMINATE
  244. self.shutdown_complete.set()
  245. return
  246. self.close(parent)
  247. self.state = CLOSE
  248. self.restart(
  249. parent, 'terminate' if terminate else 'stop',
  250. description=what, propagate=False,
  251. )
  252. if self.on_stopped:
  253. self.on_stopped()
  254. self.state = TERMINATE
  255. self.shutdown_complete.set()
  256. def join(self, timeout: Timeout=None) -> None:
  257. try:
  258. # Will only get here if running green,
  259. # makes sure all greenthreads have exited.
  260. self.shutdown_complete.wait(timeout=timeout)
  261. except IGNORE_ERRORS:
  262. pass
  263. def apply(self, parent: Any, **kwargs) -> 'Blueprint':
  264. """Apply the steps in this blueprint to an object.
  265. This will apply the ``__init__`` and ``include`` methods
  266. of each step, with the object as argument::
  267. step = Step(obj)
  268. ...
  269. step.include(obj)
  270. For :class:`StartStopStep` the services created
  271. will also be added to the objects ``steps`` attribute.
  272. """
  273. self._debug('Preparing bootsteps.')
  274. order = self.order = []
  275. steps = self.steps = self.claim_steps()
  276. self._debug('Building graph...')
  277. for S in self._finalize_steps(steps):
  278. step = S(parent, **kwargs)
  279. steps[step.name] = step
  280. order.append(step)
  281. self._debug('New boot order: {%s}',
  282. ', '.join(s.alias for s in self.order))
  283. for step in order:
  284. step.include(parent)
  285. return self
  286. def connect_with(self, other: 'Blueprint') -> None:
  287. self.graph.adjacent.update(other.graph.adjacent)
  288. self.graph.add_edge(type(other.order[0]), type(self.order[-1]))
  289. def __getitem__(self, name: str) -> Step:
  290. return self.steps[name]
  291. def _find_last(self) -> Optional[Step]:
  292. return next((C for C in self.steps.values() if C.last), None)
  293. def _firstpass(self, steps: Mapping[str, Step]) -> None:
  294. for step in steps.values():
  295. step.requires = [symbol_by_name(dep) for dep in step.requires]
  296. stream = deque(step.requires for step in steps.values())
  297. while stream:
  298. for node in stream.popleft():
  299. node = symbol_by_name(node)
  300. if node.name not in self.steps:
  301. steps[node.name] = node
  302. stream.append(node.requires)
  303. def _finalize_steps(self, steps: Mapping[str, Step]) -> Sequence[Step]:
  304. last = self._find_last()
  305. self._firstpass(steps)
  306. it = ((C, C.requires) for C in steps.values())
  307. G = self.graph = DependencyGraph(
  308. it, formatter=self.GraphFormatter(root=last),
  309. )
  310. if last:
  311. for obj in G:
  312. if obj != last:
  313. G.add_edge(last, obj)
  314. try:
  315. return G.topsort()
  316. except KeyError as exc:
  317. raise KeyError('unknown bootstep: %s' % exc)
  318. def claim_steps(self) -> Mapping[str, Step]:
  319. return dict(self.load_step(step) for step in self.types)
  320. def load_step(self, step: Step) -> Tuple[str, Step]:
  321. step = symbol_by_name(step)
  322. return step.name, step
  323. def _debug(self, msg: str, *args) -> None:
  324. logger.debug(_pre(self, msg), *args)
  325. @property
  326. def alias(self) -> str:
  327. return _label(self)