2017-10-23 09:58:41 +00:00
|
|
|
import re
|
2020-06-26 01:30:29 +00:00
|
|
|
import json as pyjson
|
2019-05-01 03:13:04 +00:00
|
|
|
|
|
|
|
|
|
|
|
from typing import List, Optional, Any
|
2019-03-31 01:29:16 +00:00
|
|
|
from inspect import signature
|
2019-03-27 02:26:21 +00:00
|
|
|
from functools import wraps
|
2019-03-26 23:21:34 +00:00
|
|
|
from hashlib import sha256
|
2019-03-26 09:33:34 +00:00
|
|
|
from urllib.parse import urlparse, quote, unquote
|
|
|
|
from html import escape, unescape
|
2017-10-18 22:38:17 +00:00
|
|
|
from datetime import datetime
|
2019-08-26 21:25:22 +00:00
|
|
|
from dateutil import parser as dateparser
|
2017-10-18 22:38:17 +00:00
|
|
|
|
2020-06-30 09:55:54 +00:00
|
|
|
import requests
|
2020-06-26 01:30:29 +00:00
|
|
|
from base32_crockford import encode as base32_encode # type: ignore
|
2019-03-26 23:21:34 +00:00
|
|
|
|
2019-04-02 22:53:21 +00:00
|
|
|
from .config import (
|
2017-10-18 22:38:17 +00:00
|
|
|
TIMEOUT,
|
2019-05-01 03:13:04 +00:00
|
|
|
STATICFILE_EXTENSIONS,
|
2019-03-21 05:28:12 +00:00
|
|
|
CHECK_SSL_VALIDITY,
|
|
|
|
WGET_USER_AGENT,
|
2019-03-23 03:00:53 +00:00
|
|
|
CHROME_OPTIONS,
|
2017-10-18 22:38:17 +00:00
|
|
|
)
|
|
|
|
|
2020-02-15 12:31:27 +00:00
|
|
|
try:
|
|
|
|
import chardet
|
|
|
|
detect_encoding = lambda rawdata: chardet.detect(rawdata)["encoding"]
|
|
|
|
except ImportError:
|
|
|
|
detect_encoding = lambda rawdata: "utf-8"
|
|
|
|
|
2019-03-08 22:01:15 +00:00
|
|
|
### Parsing Helpers
|
|
|
|
|
2019-03-26 09:33:34 +00:00
|
|
|
# All of these are (str) -> str
|
|
|
|
# shortcuts to: https://docs.python.org/3/library/urllib.parse.html#url-parsing
|
2019-03-26 23:21:34 +00:00
|
|
|
scheme = lambda url: urlparse(url).scheme.lower()
|
2019-02-19 06:45:19 +00:00
|
|
|
without_scheme = lambda url: urlparse(url)._replace(scheme='').geturl().strip('//')
|
|
|
|
without_query = lambda url: urlparse(url)._replace(query='').geturl().strip('//')
|
|
|
|
without_fragment = lambda url: urlparse(url)._replace(fragment='').geturl().strip('//')
|
|
|
|
without_path = lambda url: urlparse(url)._replace(path='', fragment='', query='').geturl().strip('//')
|
|
|
|
path = lambda url: urlparse(url).path
|
|
|
|
basename = lambda url: urlparse(url).path.rsplit('/', 1)[-1]
|
|
|
|
domain = lambda url: urlparse(url).netloc
|
|
|
|
query = lambda url: urlparse(url).query
|
|
|
|
fragment = lambda url: urlparse(url).fragment
|
|
|
|
extension = lambda url: basename(url).rsplit('.', 1)[-1].lower() if '.' in basename(url) else ''
|
2018-04-17 07:54:59 +00:00
|
|
|
base_url = lambda url: without_scheme(url) # uniq base url used to dedupe links
|
2017-10-23 09:58:41 +00:00
|
|
|
|
2019-03-26 23:21:34 +00:00
|
|
|
without_www = lambda url: url.replace('://www.', '://', 1)
|
|
|
|
without_trailing_slash = lambda url: url[:-1] if url[-1] == '/' else url.replace('/?', '?')
|
2019-04-02 20:36:41 +00:00
|
|
|
hashurl = lambda url: base32_encode(int(sha256(base_url(url).encode('utf-8')).hexdigest(), 16))[:20]
|
2019-05-01 03:13:04 +00:00
|
|
|
is_static_file = lambda url: extension(url).lower() in STATICFILE_EXTENSIONS # TODO: the proper way is with MIME type detection, not using extension
|
2019-03-26 23:21:34 +00:00
|
|
|
|
|
|
|
urlencode = lambda s: s and quote(s, encoding='utf-8', errors='replace')
|
|
|
|
urldecode = lambda s: s and unquote(s)
|
|
|
|
htmlencode = lambda s: s and escape(s, quote=True)
|
|
|
|
htmldecode = lambda s: s and unescape(s)
|
|
|
|
|
2019-04-02 20:36:41 +00:00
|
|
|
short_ts = lambda ts: str(parse_date(ts).timestamp()).split('.')[0]
|
|
|
|
ts_to_date = lambda ts: ts and parse_date(ts).strftime('%Y-%m-%d %H:%M')
|
|
|
|
ts_to_iso = lambda ts: ts and parse_date(ts).isoformat()
|
|
|
|
|
2017-10-23 09:58:41 +00:00
|
|
|
|
2019-02-27 09:49:25 +00:00
|
|
|
URL_REGEX = re.compile(
|
|
|
|
r'http[s]?://' # start matching from allowed schemes
|
|
|
|
r'(?:[a-zA-Z]|[0-9]' # followed by allowed alphanum characters
|
|
|
|
r'|[$-_@.&+]|[!*\(\),]' # or allowed symbols
|
|
|
|
r'|(?:%[0-9a-fA-F][0-9a-fA-F]))' # or allowed unicode bytes
|
|
|
|
r'[^\]\[\(\)<>\""\'\s]+', # stop parsing at these symbols
|
|
|
|
re.IGNORECASE,
|
|
|
|
)
|
2019-03-26 09:33:34 +00:00
|
|
|
|
2019-03-26 07:20:41 +00:00
|
|
|
|
2019-03-27 02:26:21 +00:00
|
|
|
def enforce_types(func):
|
|
|
|
"""
|
2019-03-27 03:25:07 +00:00
|
|
|
Enforce function arg and kwarg types at runtime using its python3 type hints
|
2019-03-27 02:26:21 +00:00
|
|
|
"""
|
2019-03-27 03:25:07 +00:00
|
|
|
# TODO: check return type as well
|
2019-03-27 02:26:21 +00:00
|
|
|
|
|
|
|
@wraps(func)
|
|
|
|
def typechecked_function(*args, **kwargs):
|
|
|
|
sig = signature(func)
|
|
|
|
|
|
|
|
def check_argument_type(arg_key, arg_val):
|
|
|
|
try:
|
|
|
|
annotation = sig.parameters[arg_key].annotation
|
|
|
|
except KeyError:
|
2019-03-31 01:29:16 +00:00
|
|
|
annotation = None
|
2019-03-27 02:26:21 +00:00
|
|
|
|
2019-03-31 01:29:16 +00:00
|
|
|
if annotation is not None and annotation.__class__ is type:
|
2019-03-27 02:26:21 +00:00
|
|
|
if not isinstance(arg_val, annotation):
|
|
|
|
raise TypeError(
|
|
|
|
'{}(..., {}: {}) got unexpected {} argument {}={}'.format(
|
|
|
|
func.__name__,
|
|
|
|
arg_key,
|
|
|
|
annotation.__name__,
|
|
|
|
type(arg_val).__name__,
|
|
|
|
arg_key,
|
2019-03-27 22:26:22 +00:00
|
|
|
str(arg_val)[:64],
|
2019-03-27 02:26:21 +00:00
|
|
|
)
|
|
|
|
)
|
|
|
|
|
|
|
|
# check args
|
|
|
|
for arg_val, arg_key in zip(args, sig.parameters):
|
|
|
|
check_argument_type(arg_key, arg_val)
|
|
|
|
|
|
|
|
# check kwargs
|
|
|
|
for arg_key, arg_val in kwargs.items():
|
|
|
|
check_argument_type(arg_key, arg_val)
|
|
|
|
|
|
|
|
return func(*args, **kwargs)
|
|
|
|
|
|
|
|
return typechecked_function
|
|
|
|
|
2017-10-23 09:58:41 +00:00
|
|
|
|
2019-05-01 03:13:04 +00:00
|
|
|
def docstring(text: Optional[str]):
|
|
|
|
"""attach the given docstring to the decorated function"""
|
|
|
|
def decorator(func):
|
|
|
|
if text:
|
|
|
|
func.__doc__ = text
|
|
|
|
return func
|
|
|
|
return decorator
|
2017-10-23 09:58:41 +00:00
|
|
|
|
2019-03-08 22:01:15 +00:00
|
|
|
|
2019-03-27 03:25:07 +00:00
|
|
|
@enforce_types
|
2019-03-26 07:20:41 +00:00
|
|
|
def str_between(string: str, start: str, end: str=None) -> str:
|
2019-03-08 22:01:15 +00:00
|
|
|
"""(<abc>12345</def>, <abc>, </def>) -> 12345"""
|
|
|
|
|
|
|
|
content = string.split(start, 1)[-1]
|
|
|
|
if end is not None:
|
|
|
|
content = content.rsplit(end, 1)[0]
|
|
|
|
|
|
|
|
return content
|
|
|
|
|
|
|
|
|
2019-03-27 03:25:07 +00:00
|
|
|
@enforce_types
|
2019-03-27 02:26:21 +00:00
|
|
|
def parse_date(date: Any) -> Optional[datetime]:
|
|
|
|
"""Parse unix timestamps, iso format, and human-readable strings"""
|
|
|
|
|
|
|
|
if date is None:
|
|
|
|
return None
|
2019-04-02 20:36:41 +00:00
|
|
|
|
|
|
|
if isinstance(date, datetime):
|
|
|
|
return date
|
2019-03-27 02:26:21 +00:00
|
|
|
|
|
|
|
if isinstance(date, (float, int)):
|
|
|
|
date = str(date)
|
|
|
|
|
|
|
|
if isinstance(date, str):
|
2019-08-26 21:25:22 +00:00
|
|
|
return dateparser.parse(date)
|
|
|
|
|
2019-03-27 02:26:21 +00:00
|
|
|
raise ValueError('Tried to parse invalid date! {}'.format(date))
|
|
|
|
|
|
|
|
|
2019-03-27 03:25:07 +00:00
|
|
|
@enforce_types
|
2019-03-26 07:20:41 +00:00
|
|
|
def download_url(url: str, timeout: int=TIMEOUT) -> str:
|
2019-03-23 02:05:45 +00:00
|
|
|
"""Download the contents of a remote url and return the text"""
|
2020-06-30 09:55:54 +00:00
|
|
|
response = requests.get(
|
|
|
|
url,
|
|
|
|
headers={'User-Agent': WGET_USER_AGENT},
|
|
|
|
verify=CHECK_SSL_VALIDITY,
|
|
|
|
timeout=timeout,
|
|
|
|
)
|
|
|
|
return response.text
|
2019-03-08 22:01:15 +00:00
|
|
|
|
2019-03-27 03:25:07 +00:00
|
|
|
|
|
|
|
@enforce_types
|
2019-03-26 07:20:41 +00:00
|
|
|
def chrome_args(**options) -> List[str]:
|
2019-03-21 05:28:12 +00:00
|
|
|
"""helper to build up a chrome shell command with arguments"""
|
2019-01-20 19:07:28 +00:00
|
|
|
|
2019-03-23 03:00:53 +00:00
|
|
|
options = {**CHROME_OPTIONS, **options}
|
|
|
|
|
2019-03-23 02:05:45 +00:00
|
|
|
cmd_args = [options['CHROME_BINARY']]
|
2019-03-21 05:28:12 +00:00
|
|
|
|
2019-03-23 03:00:53 +00:00
|
|
|
if options['CHROME_HEADLESS']:
|
2019-03-21 05:28:12 +00:00
|
|
|
cmd_args += ('--headless',)
|
|
|
|
|
2019-03-23 02:05:45 +00:00
|
|
|
if not options['CHROME_SANDBOX']:
|
2019-03-21 05:28:12 +00:00
|
|
|
# dont use GPU or sandbox when running inside docker container
|
|
|
|
cmd_args += ('--no-sandbox', '--disable-gpu')
|
|
|
|
|
2019-03-23 02:05:45 +00:00
|
|
|
if not options['CHECK_SSL_VALIDITY']:
|
2019-03-21 05:28:12 +00:00
|
|
|
cmd_args += ('--disable-web-security', '--ignore-certificate-errors')
|
|
|
|
|
2019-03-23 02:05:45 +00:00
|
|
|
if options['CHROME_USER_AGENT']:
|
|
|
|
cmd_args += ('--user-agent={}'.format(options['CHROME_USER_AGENT']),)
|
2019-03-21 05:28:12 +00:00
|
|
|
|
2019-03-23 02:05:45 +00:00
|
|
|
if options['RESOLUTION']:
|
|
|
|
cmd_args += ('--window-size={}'.format(options['RESOLUTION']),)
|
2019-03-21 05:28:12 +00:00
|
|
|
|
2019-03-23 02:05:45 +00:00
|
|
|
if options['TIMEOUT']:
|
|
|
|
cmd_args += ('--timeout={}'.format((options['TIMEOUT']) * 1000),)
|
2019-03-21 05:28:12 +00:00
|
|
|
|
2019-03-23 02:05:45 +00:00
|
|
|
if options['CHROME_USER_DATA_DIR']:
|
|
|
|
cmd_args.append('--user-data-dir={}'.format(options['CHROME_USER_DATA_DIR']))
|
2019-03-21 05:28:12 +00:00
|
|
|
|
|
|
|
return cmd_args
|
2019-03-26 09:33:34 +00:00
|
|
|
|
|
|
|
|
2019-05-01 03:13:04 +00:00
|
|
|
class ExtendedEncoder(pyjson.JSONEncoder):
|
2019-03-26 09:33:34 +00:00
|
|
|
"""
|
|
|
|
Extended json serializer that supports serializing several model
|
|
|
|
fields and objects
|
|
|
|
"""
|
|
|
|
|
|
|
|
def default(self, obj):
|
|
|
|
cls_name = obj.__class__.__name__
|
|
|
|
|
|
|
|
if hasattr(obj, '_asdict'):
|
|
|
|
return obj._asdict()
|
|
|
|
|
|
|
|
elif isinstance(obj, bytes):
|
|
|
|
return obj.decode()
|
|
|
|
|
|
|
|
elif isinstance(obj, datetime):
|
|
|
|
return obj.isoformat()
|
|
|
|
|
|
|
|
elif isinstance(obj, Exception):
|
|
|
|
return '{}: {}'.format(obj.__class__.__name__, obj)
|
|
|
|
|
|
|
|
elif cls_name in ('dict_items', 'dict_keys', 'dict_values'):
|
|
|
|
return tuple(obj)
|
|
|
|
|
2019-05-01 03:13:04 +00:00
|
|
|
return pyjson.JSONEncoder.default(self, obj)
|
2019-04-27 21:26:24 +00:00
|
|
|
|