2018-07-08 03:38:14 +00:00
|
|
|
import asyncio
|
|
|
|
import time
|
|
|
|
import re
|
2018-07-07 23:51:43 +00:00
|
|
|
|
2018-07-08 03:38:14 +00:00
|
|
|
PING_RGX = re.compile(r'(.+)( 0% packet loss)(.+)', re.I | re.M)
|
2018-07-07 23:51:43 +00:00
|
|
|
|
|
|
|
|
2018-07-08 03:38:14 +00:00
|
|
|
class Adapter:
|
|
|
|
spec = {
|
|
|
|
'db': None,
|
|
|
|
}
|
|
|
|
|
|
|
|
@classmethod
|
2018-07-09 05:48:44 +00:00
|
|
|
async def query(cls, _worker, _adp_args) -> tuple:
|
2018-07-08 03:38:14 +00:00
|
|
|
"""Main query function."""
|
|
|
|
raise NotImplementedError
|
|
|
|
|
|
|
|
|
|
|
|
class PingAdapter(Adapter):
|
|
|
|
"""Ping the given address and report if
|
|
|
|
any packet loss happened."""
|
|
|
|
spec = {
|
|
|
|
'db': ('timestamp', 'status')
|
|
|
|
}
|
|
|
|
|
|
|
|
@classmethod
|
|
|
|
async def query(cls, worker, adp_args: dict):
|
|
|
|
process = await asyncio.create_subprocess_shell(
|
|
|
|
f'ping -c 1 {adp_args["address"]}',
|
|
|
|
stderr=asyncio.subprocess.PIPE,
|
|
|
|
stdout=asyncio.subprocess.PIPE,
|
|
|
|
)
|
|
|
|
|
|
|
|
out, err = map(lambda s: s.decode('utf-8'),
|
|
|
|
await process.communicate())
|
|
|
|
|
|
|
|
alive = bool(re.search(PING_RGX, out + err))
|
|
|
|
worker.log.info(f'{worker.name}: alive? {alive}')
|
|
|
|
|
2018-07-09 05:48:44 +00:00
|
|
|
return (alive,)
|
2018-07-08 03:38:14 +00:00
|
|
|
|
|
|
|
|
2018-07-09 05:48:44 +00:00
|
|
|
class HttpAdapter(Adapter):
|
2018-07-08 03:38:14 +00:00
|
|
|
"""Adapter to check if a certain
|
2018-07-09 05:48:44 +00:00
|
|
|
URL is giving 200."""
|
2018-07-08 03:38:14 +00:00
|
|
|
spec = {
|
|
|
|
'db': ('timestamp', 'status', 'latency')
|
|
|
|
}
|
|
|
|
|
|
|
|
@classmethod
|
|
|
|
async def query(cls, worker, adp_args: dict):
|
|
|
|
# yes, lots of attributes
|
|
|
|
session = worker.manager.app.session
|
|
|
|
|
|
|
|
t_start = time.monotonic()
|
2018-07-09 05:48:44 +00:00
|
|
|
resp = await session.get(f'{adp_args["url"]}')
|
2018-07-08 03:38:14 +00:00
|
|
|
t_end = time.monotonic()
|
|
|
|
|
|
|
|
latency = round((t_end - t_start) * 1000)
|
|
|
|
|
|
|
|
worker.log.info(f'{worker.name}: status={resp.status} '
|
|
|
|
f'latency={latency}ms')
|
|
|
|
|
|
|
|
if resp.status == 200:
|
2018-07-09 05:48:44 +00:00
|
|
|
return True, latency
|
2018-07-08 03:38:14 +00:00
|
|
|
|
|
|
|
# use 0ms drops as failures
|
|
|
|
return False, 0
|