1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220
|
import abc
import time
import asyncio
import logging
import warnings
from typing import Optional, Set, Callable, Awaitable
from ..utils import DeadlineWrapper
from ..metadata import Deadline
log = logging.getLogger(__name__)
DEFAULT_CHECK_TTL = 30
DEFAULT_CHECK_TIMEOUT = 10
_Status = Optional[bool]
class CheckBase(abc.ABC):
@abc.abstractmethod
def __status__(self) -> _Status:
pass
@abc.abstractmethod
async def __check__(self) -> _Status:
pass
@abc.abstractmethod
async def __subscribe__(self) -> asyncio.Event:
pass
@abc.abstractmethod
async def __unsubscribe__(self, event: asyncio.Event) -> None:
pass
class ServiceCheck(CheckBase):
"""Performs periodic checks
Example:
.. code-block:: python3
async def db_test():
# raised exceptions are the same as returning False,
# except that exceptions will be logged
await db.execute('SELECT 1;')
return True
db_check = ServiceCheck(db_test)
"""
_value = None
_poll_task = None
_last_check = None
def __init__(
self,
func: Callable[[], Awaitable[_Status]],
*,
loop: Optional[asyncio.AbstractEventLoop] = None,
check_ttl: float = DEFAULT_CHECK_TTL,
check_timeout: float = DEFAULT_CHECK_TIMEOUT,
) -> None:
"""
:param func: callable object which returns awaitable object, where
result is one of: ``True`` (healthy), ``False`` (unhealthy), or
``None`` (unknown)
:param loop: (deprecated) asyncio-compatible event loop
:param check_ttl: how long we can cache result of the previous check
:param check_timeout: timeout for this check
"""
self._func = func
self._check_ttl = check_ttl
self._check_timeout = check_timeout
self._events: Set[asyncio.Event] = set()
if loop:
warnings.warn("The loop argument is deprecated and scheduled "
"for removal in grpclib 0.5",
DeprecationWarning, stacklevel=2)
self._check_lock = asyncio.Event()
self._check_lock.set()
self._check_wrapper = DeadlineWrapper()
def __status__(self) -> _Status:
return self._value
async def __check__(self) -> _Status:
if (
self._last_check is not None
and time.monotonic() - self._last_check < self._check_ttl
):
return self._value
if not self._check_lock.is_set():
# wait until concurrent check succeed
await self._check_lock.wait()
return self._value
prev_value = self._value
self._check_lock.clear()
try:
deadline = Deadline.from_timeout(self._check_timeout)
with self._check_wrapper.start(deadline):
value = await self._func()
if value is not None and not isinstance(value, bool):
raise TypeError('Invalid status type: {!r}'.format(value))
self._value = value
except asyncio.CancelledError:
raise
except Exception:
log.exception('Health check failed')
self._value = False
finally:
self._check_lock.set()
self._last_check = time.monotonic()
if self._value != prev_value:
log_level = log.info if self._value else log.warning
log_level('Health check %r status changed to %r',
self._func, self._value)
# notify all watchers that this check was changed
for event in self._events:
event.set()
return self._value
async def _poll(self) -> None:
while True:
status = await self.__check__()
if status:
await asyncio.sleep(self._check_ttl)
else:
await asyncio.sleep(self._check_ttl) # TODO: change interval?
async def __subscribe__(self) -> asyncio.Event:
if self._poll_task is None:
loop = asyncio.get_event_loop()
self._poll_task = loop.create_task(self._poll())
event = asyncio.Event()
self._events.add(event)
return event
async def __unsubscribe__(self, event: asyncio.Event) -> None:
self._events.discard(event)
if not self._events:
assert self._poll_task is not None
task = self._poll_task
self._poll_task = None
task.cancel()
try:
await task
except asyncio.CancelledError:
pass
class ServiceStatus(CheckBase):
"""Contains status of a proactive check
Example:
.. code-block:: python3
redis_status = ServiceStatus()
# detected that Redis is available
redis_status.set(True)
# detected that Redis is unavailable
redis_status.set(False)
"""
def __init__(
self,
*,
loop: Optional[asyncio.AbstractEventLoop] = None,
) -> None:
"""
:param loop: (deprecated) asyncio-compatible event loop
"""
if loop:
warnings.warn("The loop argument is deprecated and scheduled "
"for removal in grpclib 0.5",
DeprecationWarning, stacklevel=2)
self._value: _Status = None
self._events: Set[asyncio.Event] = set()
def set(self, value: _Status) -> None:
"""Sets current status of a check
:param value: ``True`` (healthy), ``False`` (unhealthy), or ``None``
(unknown)
"""
prev_value = self._value
self._value = value
if self._value != prev_value:
# notify all watchers that this check was changed
for event in self._events:
event.set()
def __status__(self) -> _Status:
return self._value
async def __check__(self) -> _Status:
return self._value
async def __subscribe__(self) -> asyncio.Event:
event = asyncio.Event()
self._events.add(event)
return event
async def __unsubscribe__(self, event: asyncio.Event) -> None:
self._events.discard(event)
|