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 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249
|
import enum
import logging
import logging.handlers
import asyncio
import socket
import queue
import argparse
import yaml
from . import defaults
# pylint: disable=invalid-name
class LogLevel(enum.IntEnum):
debug = logging.DEBUG
info = logging.INFO
warn = logging.WARN
error = logging.ERROR
fatal = logging.FATAL
crit = logging.CRITICAL
def __str__(self):
return self.name
class OverflowingQueue(queue.Queue):
def put(self, item, block=True, timeout=None):
try:
return queue.Queue.put(self, item, block, timeout)
except queue.Full:
pass
return None
def put_nowait(self, item):
return self.put(item, False)
class AsyncLoggingHandler:
def __init__(self, logfile=None, maxsize=1024):
_queue = OverflowingQueue(maxsize)
if logfile is None:
_handler = logging.StreamHandler()
else:
_handler = logging.FileHandler(logfile)
self._listener = logging.handlers.QueueListener(_queue, _handler)
self._async_handler = logging.handlers.QueueHandler(_queue)
_handler.setFormatter(logging.Formatter('%(asctime)s '
'%(levelname)-8s '
'%(name)s: %(message)s',
'%Y-%m-%d %H:%M:%S'))
def __enter__(self):
self._listener.start()
return self._async_handler
def __exit__(self, exc_type, exc_value, traceback):
self._listener.stop()
def setup_logger(name, verbosity, handler):
logger = logging.getLogger(name)
logger.setLevel(verbosity)
logger.addHandler(handler)
return logger
def enable_uvloop(): # pragma: no cover
try:
# pylint: disable=import-outside-toplevel
import uvloop
asyncio.set_event_loop_policy(uvloop.EventLoopPolicy())
except ImportError:
return False
else:
return True
def populate_cfg_defaults(cfg):
if not cfg:
cfg = {}
if cfg.get('path') is None:
cfg['host'] = cfg.get('host', defaults.HOST)
cfg['port'] = cfg.get('port', defaults.PORT)
cfg['reuse_port'] = cfg.get('reuse_port', defaults.REUSE_PORT)
cfg['shutdown_timeout'] = cfg.get('shutdown_timeout',
defaults.SHUTDOWN_TIMEOUT)
cfg['cache_grace'] = cfg.get('cache_grace', defaults.CACHE_GRACE)
if 'proactive_policy_fetching' not in cfg:
cfg['proactive_policy_fetching'] = {}
cfg['proactive_policy_fetching']['enabled'] = cfg['proactive_policy_fetching'].\
get('enabled', defaults.PROACTIVE_FETCH_ENABLED)
cfg['proactive_policy_fetching']['interval'] = cfg['proactive_policy_fetching'].\
get('interval', defaults.PROACTIVE_FETCH_INTERVAL)
cfg['proactive_policy_fetching']['concurrency_limit'] = cfg['proactive_policy_fetching'].\
get('concurrency_limit', defaults.PROACTIVE_FETCH_CONCURRENCY_LIMIT)
cfg['proactive_policy_fetching']['grace_ratio'] = cfg['proactive_policy_fetching'].\
get('grace_ratio', defaults.PROACTIVE_FETCH_GRACE_RATIO)
if 'cache' not in cfg:
cfg['cache'] = {}
cfg['cache']['type'] = cfg['cache'].get('type', defaults.CACHE_BACKEND)
if cfg['cache']['type'] == 'internal':
if 'options' not in cfg['cache']:
cfg['cache']['options'] = {}
cfg['cache']['options']['cache_size'] = cfg['cache']['options'].\
get('cache_size', defaults.INTERNAL_CACHE_SIZE)
def populate_zone(zone):
zone['timeout'] = zone.get('timeout', defaults.TIMEOUT)
zone['strict_testing'] = zone.get('strict_testing', defaults.STRICT_TESTING)
zone['require_sni'] = zone.get('require_sni', defaults.REQUIRE_SNI)
zone['tlsrpt'] = zone.get('tlsrpt', defaults.TLSRPT)
return zone
if 'default_zone' not in cfg:
cfg['default_zone'] = {}
populate_zone(cfg['default_zone'])
if 'zones' not in cfg:
cfg['zones'] = {}
for zone in cfg['zones'].values():
populate_zone(zone)
return cfg
def load_config(filename):
with open(filename, 'rb') as cfg_file:
cfg = yaml.safe_load(cfg_file)
return populate_cfg_defaults(cfg)
def parse_mta_sts_record(rec):
return dict(field.partition('=')[0::2] for field in
(field.strip() for field in rec.split(';')) if field)
def parse_mta_sts_policy(text):
lines = text.splitlines()
res = dict()
res['mx'] = list()
for line in lines:
line = line.rstrip()
key, _, value = line.partition(':')
value = value.lstrip()
if key == 'mx':
res['mx'].append(value)
else:
res[key] = value
return res
def is_plaintext(contenttype):
return contenttype.lower().partition(';')[0].strip() == 'text/plain'
def is_ipaddr(addr):
try:
socket.getaddrinfo(addr, None, flags=socket.AI_NUMERICHOST)
return True
except socket.gaierror:
return False
def filter_domain(domain):
lpart, found_separator, rpart = domain.partition(']')
res = lpart.lstrip('[')
if not found_separator:
lpart, found_separator, rpart = domain.rpartition(':')
res = lpart if found_separator else rpart
return res.lower().strip().rstrip('.')
def filter_text(strings):
for string in strings:
if isinstance(string, str):
yield string
elif isinstance(string, bytes):
try:
yield string.decode('ascii')
except UnicodeDecodeError:
pass
else:
raise TypeError('Only bytes or strings are expected.')
async def create_custom_socket(host, port, *, # pylint: disable=too-many-locals
family=socket.AF_UNSPEC,
type=socket.SOCK_STREAM, # pylint: disable=redefined-builtin
flags=socket.AI_PASSIVE,
options=None,
loop=None):
if loop is None:
loop = asyncio.get_event_loop()
res = await loop.getaddrinfo(host, port,
family=family, type=type, flags=flags)
af, s_typ, proto, _, sa = res[0] # pylint: disable=invalid-name
sock = socket.socket(af, s_typ, proto)
if options is not None:
for level, optname, val in options:
sock.setsockopt(level, optname, val)
sock.bind(sa)
return sock
def create_cache(cache_type, options):
if cache_type == "internal":
# pylint: disable=import-outside-toplevel
from . import internal_cache
cache = internal_cache.InternalLRUCache(**options)
elif cache_type == "sqlite":
# pylint: disable=import-outside-toplevel
from . import sqlite_cache
cache = sqlite_cache.SqliteCache(**options)
elif cache_type == "redis":
# pylint: disable=import-outside-toplevel
from . import redis_cache
cache = redis_cache.RedisCache(**options)
elif cache_type == "redis_sentinel":
# pylint: disable=import-outside-toplevel
from . import redis_cache
cache = redis_cache.RedisSentinelCache(**options)
elif cache_type == "postgres":
# pylint: disable=import-outside-toplevel
from . import postgres_cache
cache = postgres_cache.PostgresCache(**options)
else:
raise NotImplementedError("Unsupported cache type!")
return cache
def check_loglevel(arg):
try:
return LogLevel[arg]
except (IndexError, KeyError):
# pylint: disable=raise-missing-from
raise argparse.ArgumentTypeError("%s is not valid loglevel" % (repr(arg),))
|