Passively capture, archive, and hoard your web browsing history, including the contents of the pages you visit, for later offline viewing, replay, mirroring, data scraping, and/or indexing. Your own personal private Wayback Machine that can also archive HTTP POST requests and responses, as well as most other HTTP-level data.
# Copyright (c) 2023-2024 Jan Malakhovski <oxij@oxij.org>
#
# This file is a part of `hoardy-web` project.
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
"""`main()`."""
import collections as _c
import dataclasses as _dc
import errno as _errno
import hashlib as _hashlib
import io as _io
import json as _json
import logging as _logging
import os as _os
import re as _re
import shutil as _shutil
import signal as _signal
import stat as _stat
import subprocess as _subprocess
import sys as _sys
import tempfile as _tempfile
import typing as _t
import urllib.parse as _up
from gettext import gettext
from kisstdlib import *
from kisstdlib import argparse_ext as argparse
from kisstdlib.fs import *
from kisstdlib.io import *
from kisstdlib.sorted import SortedList, SortedIndex, nearer_to_than
from .filter import *
from .wrr import *
from .output import *
__prog__ = "hoardy-web"
def pred_linst(expr: str, func: LinstFunc, rrexpr: ReqresExpr[_t.Any]) -> bool:
    res = rrexpr.eval_func(func)
    if isinstance(res, bool):
        return res
    raise CatastrophicFailure(
        "while evaluating `%s`: expected a value of type `bool`, got `%s`",
        expr,
        repr(res),
    ).elaborate("while processing `%s`", rrexpr.source.show_source())
def mk_linst_filter(
    get_attr: _t.Callable[[FilterNameType], list[str]],
    get_optname: _t.Callable[[FilterNameType], str],
    name: FilterNameType,
    yes: bool,
    matches: PredicateMatchesType[str, LinstFunc, ReqresExpr[_t.Any]],
) -> FilterType[ReqresExpr[_t.Any]]:
    compiled = mk_conditions(str_id, lambda x: linst_compile(x, linst_atom_or_env), get_attr(name))
    num = len(compiled)
    def allows(v: ReqresExpr[_t.Any]) -> bool:
        res = matches(pred_linst, compiled, v)
        return res if yes else not res
    def warn() -> None:
        warn_redundant(get_optname(name), yes, compiled)
    return num, allows, warn
def compile_filters(cargs: _t.Any, attr_prefix: str = "") -> FilterType[ReqresExpr[_t.Any]]:
    opt_prefix = attr_prefix.replace("_", "-")
    def get_attr(x: str) -> _t.Any:
        return getattr(cargs, attr_prefix + x)
    def get_optname(x: str) -> str:
        return f"--{opt_prefix}{x.replace('_', '-')}"
    filters: list[FilterType[ReqresExpr[_t.Any]]] = []
    def add_yn_timestamp_filter(
        name: str, pred: _t.Callable[[str, Timestamp, ReqresExpr[_t.Any]], bool]
    ) -> None:
        add_yn_filter(filters, get_attr, get_optname, name, mk_simple_filter, timestamp, lambda c, v: matches_all(pred, c, v))  # fmt: skip
    def is_before(_k: _t.Any, stime: Timestamp, rrexpr: ReqresExpr[_t.Any]) -> bool:
        rrstime: Timestamp = rrexpr.stime
        return rrstime < stime
    def is_after(_k: _t.Any, stime: Timestamp, rrexpr: ReqresExpr[_t.Any]) -> bool:
        rrstime: Timestamp = rrexpr.stime
        return stime < rrstime
    add_yn_timestamp_filter("before", is_before)
    add_yn_timestamp_filter("after", is_after)
    def add_yn_field_filter(name: str, field: str | None = None) -> None:
        if field is None:
            field = name
        def get_inputs(rrexpr: ReqresExpr[_t.Any]) -> StrFilterInputType:
            value = rrexpr.get_value(field)
            l = [value] if value is not None else []
            return l, l
        add_yn_filter(filters, get_attr, get_optname, name, mk_str_filter, str_id, str_id, get_inputs)  # fmt: skip
    add_yn_field_filter("protocol")
    add_yn_field_filter("request_method", "request.method")
    add_yn_field_filter("status")
    def neturlify(url: str) -> str:
        return parse_url(url).net_url
    def add_yn_url_filter(name: str) -> None:
        def get_inputs(rrexpr: ReqresExpr[_t.Any]) -> StrFilterInputType:
            net_url = rrexpr.net_url
            lnet_url = [net_url]
            return lnet_url, lambda: [net_url, rrexpr.pretty_net_url]
        add_yn_filter(filters, get_attr, get_optname, name, mk_str_filter, neturlify, neturlify, get_inputs)  # fmt: skip
    add_yn_url_filter("url")
    def add_yn_headers_grep_filter(
        name: str, field: str, matches: PredicateMatchesType[str, PatternSB, IterSB]
    ) -> None:
        def get_inputs(rrexpr: ReqresExpr[_t.Any]) -> IterSB:
            value = rrexpr.get_value(field)
            if value is not None:
                return get_raw_headers_bytes(value)
            return []
        add_yn_filter(filters, get_attr, get_optname, name, mk_grep_filter, cargs.ignore_case, matches, get_inputs)  # fmt: skip
    def add_yn_field_grep_filter(
        name: str, field: str, matches: PredicateMatchesType[str, PatternSB, IterSB]
    ) -> None:
        def get_inputs(rrexpr: ReqresExpr[_t.Any]) -> list[str | bytes]:
            value = rrexpr.get_value(field)
            l = [value] if value is not None else []
            return l
        add_yn_filter(filters, get_attr, get_optname, name, mk_grep_filter, cargs.ignore_case, matches, get_inputs)  # fmt: skip
    def add_rr(side: str) -> None:
        add_yn_headers_grep_filter(f"{side}_headers_or_grep", f"{side}.headers", matches_any)
        add_yn_headers_grep_filter(f"{side}_headers_and_grep", f"{side}.headers", matches_all)
        add_yn_field_filter(f"{side}_mime")
        add_yn_field_grep_filter(f"{side}_body_or_grep", f"{side}.body", matches_any)
        add_yn_field_grep_filter(f"{side}_body_and_grep", f"{side}.body", matches_all)
    add_rr("request")
    add_rr("response")
    def add_yn_grep_filter(
        name: str, matches: PredicateMatchesType[str, PatternSB, IterSB]
    ) -> None:
        def get_inputs(rrexpr: ReqresExpr[_t.Any]) -> list[str | bytes]:
            res: list[str | bytes] = [rrexpr.raw_url, rrexpr.url, rrexpr.pretty_url]
            reqres = rrexpr.reqres
            res += get_raw_headers_bytes(reqres.request.headers)
            res.append(reqres.request.body)
            if reqres.response is not None:
                res += get_raw_headers_bytes(reqres.response.headers)
                res.append(reqres.response.body)
            return res
        add_yn_filter(filters, get_attr, get_optname, name, mk_grep_filter, cargs.ignore_case, matches, get_inputs)  # fmt: skip
    add_yn_grep_filter("or_grep", matches_any)
    add_yn_grep_filter("and_grep", matches_all)
    filters.append(mk_linst_filter(get_attr, get_optname, "and", True, matches_all))
    filters.append(mk_linst_filter(get_attr, get_optname, "or", False, matches_any))
    return merge_non_empty_filters(filters)
def compile_expr(expr: str) -> tuple[str, LinstFunc]:
    return (expr, linst_compile(expr, ReqresExpr_lookup))
def elaborate_output(kind: str, aliases: dict[str, str], value: str) -> str:
    try:
        return aliases[value]
    except KeyError:
        pass
    if value.startswith("format:"):
        return value[7:]
    raise CatastrophicFailure(
        'unknown `%s` alias "%s", prepend "format:" if you want it to be interpreted as a Pythonic %%-substutition',
        kind,
        value,
    )
def elaborate_paths(paths: list[str | bytes]) -> None:
    for i, p in enumerate(paths):
        paths[i] = _os.path.expanduser(p)
def handle_paths(cargs: _t.Any) -> None:
    if cargs.stdin0:
        paths = stdin.read_all_bytes().split(b"\0")
        last_path = paths.pop()
        if last_path != b"":
            raise Failure("`--stdin0` input format error")
        cargs.paths += paths
    elaborate_paths(cargs.paths)
    if cargs.walk_paths != WalkOrder.NONE:
        cargs.paths.sort(reverse=cargs.walk_paths == WalkOrder.REVERSE)
LoadResult = _t.TypeVar("LoadResult")
LoadFFunc = _t.Callable[[_t.AnyStr], LoadResult]
EmitFunc = _t.Callable[[LoadResult], None]
def load_map_orderly(
    load_func: LoadFFunc[_t.AnyStr, LoadResult],
    emit_func: EmitFunc[LoadResult],
    dir_or_file_path: _t.AnyStr,
    *,
    seen_paths: set[_t.AnyStr] | None = None,
    follow_symlinks: bool = True,
    order: WalkOrder = WalkOrder.REVERSE,
    errors: str = "fail",
) -> None:
    if seen_paths is not None:
        abs_dir_or_file_path = _os.path.abspath(dir_or_file_path)
        if abs_dir_or_file_path in seen_paths:
            return
        seen_paths.add(abs_dir_or_file_path)
    for path, _, _ in iter_subtree(
        dir_or_file_path,
        include_files=with_extension_not_in([".part", b".part"]),
        include_directories=False,
        order=order,
        follow_symlinks=follow_symlinks,
        handle_error=None if errors == "fail" else _logging.error,
    ):
        raise_first_delayed_signal()
        abs_path = _os.path.abspath(path)
        try:
            if follow_symlinks:
                abs_path = _os.path.realpath(abs_path)
            if (
                seen_paths is not None
                # do not skip top-level paths added above
                and abs_path != abs_dir_or_file_path
            ):
                if abs_path in seen_paths:
                    continue
                seen_paths.add(abs_path)
            try:
                data = load_func(abs_path)
            except OSError as exc:
                raise Failure("failed to open `%s`", path) from exc
            emit_func(data)
        except Failure as exc:
            if errors == "ignore":
                continue
            exc.elaborate("while processing `%s`", path)
            if errors != "fail":
                _logging.error("%s", exc.get_message(gettext))
                continue
            raise exc
def map_wrr_paths(
    cargs: _t.Any,
    loadf_func: LoadFFunc[_t.AnyStr, _t.Iterator[ReqresExpr[_t.Any]]],
    filters_allow: _t.Callable[[ReqresExpr[_t.Any]], bool],
    emit_func: EmitFunc[ReqresExpr[_t.Any]],
    paths: list[_t.AnyStr],
    **kwargs: _t.Any,
) -> None:
    def emit_many(rrexprs: _t.Iterator[ReqresExpr[_t.Any]]) -> None:
        for rrexpr in rrexprs:
            raise_first_delayed_signal()
            rrexpr.sniff = cargs.sniff
            if not filters_allow(rrexpr):
                continue
            emit_func(rrexpr)
    for exp_path in paths:
        load_map_orderly(
            loadf_func, emit_many, exp_path, order=cargs.walk_fs, errors=cargs.errors, **kwargs
        )
def dispatch_rrexprs_load() -> LoadFFunc[_t.AnyStr, _t.Iterator[ReqresExpr[_t.Any]]]:
    import_failed = []
    class Mutable:
        not_warned: bool = True
    have_mitmproxy = False
    try:
        from .mitmproxy import rrexprs_mitmproxy_loadf
    except ImportError as exc:
        import_failed.append(("mitmproxy", get_traceback(exc)))
    else:
        have_mitmproxy = True
    is_wrr: IncludeFilesFunc[_t.AnyStr] = with_extension_in([".wrr", b".wrr"])
    is_wrrb: IncludeFilesFunc[_t.AnyStr] = with_extension_in([".wrrb", b".wrrb"])
    def warn(path: _t.AnyStr, parser: str, exc: Exception) -> None:
        _logging.warning(
            "while processing `%s`: failed to parse with `%s` parser: %s",
            path,
            parser,
            get_traceback(exc),
        )
    def rrexprs_load(path: _t.AnyStr) -> _t.Iterator[ReqresExpr[_t.Any]]:
        if is_wrr(path):
            try:
                yield rrexpr_wrr_loadf(path)
                return
            except Exception as exc:
                warn(path, "wrr", exc)
        elif is_wrrb(path):
            try:
                yield from rrexprs_wrr_some_loadf(path)
                return
            except Exception as exc:
                warn(path, "wrrb", exc)
        elif have_mitmproxy:
            try:
                yield from rrexprs_mitmproxy_loadf(path)
                return
            except Exception as exc:
                warn(path, "mitmproxy", exc)
        if Mutable.not_warned:
            Mutable.not_warned = False
            for m, e in import_failed:
                _logging.warning(gettext("failed to import `%s` parser: %s"), m, e)
        raise Failure("failed to find a suitable parser")
    return rrexprs_load
def mk_rrexprs_load(cargs: _t.Any) -> LoadFFunc[_t.AnyStr, _t.Iterator[ReqresExpr[_t.Any]]]:
    loader = cargs.loader
    if loader is None:
        return dispatch_rrexprs_load()
    if loader == "wrr":
        return rrexpr_wrr_loadf
    if loader == "wrrb":
        return rrexprs_wrr_some_loadf
    if loader == "mitmproxy":
        from .mitmproxy import rrexprs_mitmproxy_loadf
        return rrexprs_mitmproxy_loadf
    assert False
def get_bytes(value: _t.Any) -> bytes:
    if value is None or isinstance(value, (bool, int, float, Timestamp)):
        value = str(value)
    if isinstance(value, str):
        return value.encode(_sys.getdefaultencoding())
    if isinstance(value, bytes):
        return value
    raise Failure("don't know how to print an expression of type `%s`", type(value).__name__)
def cmd_pprint(cargs: _t.Any) -> None:
    def emit(rrexpr: ReqresExpr[DeferredSourceType]) -> None:
        wrr_pprint(stdout, rrexpr.reqres, rrexpr.source.show_source(), cargs.abridged, cargs.sniff)
        stdout.flush()
    _num, filters_allow, filters_warn = compile_filters(cargs)
    handle_paths(cargs)
    map_wrr_paths(cargs, mk_rrexprs_load(cargs), filters_allow, emit, cargs.paths)
    filters_warn()
def print_exprs(
    rrexpr: ReqresExpr[_t.Any],
    exprs: list[tuple[str, LinstFunc]],
    separator: bytes,
    fobj: MinimalIOWriter,
) -> None:
    not_first = False
    for expr, func in exprs:
        try:
            data = get_bytes(rrexpr.eval_func(func))
        except CatastrophicFailure as exc:
            raise exc.elaborate("while evaluating `%s`", expr)
        if not_first:
            fobj.write_bytes(separator)
        not_first = True
        fobj.write_bytes(data)
default_expr_values = {
    "dot": ".",
    "raw_qbody": "request.body|eb",
    "raw_sbody": "response.body|eb",
    "id": "response.body|eb|scrub response +all_refs",
    "void": "response.body|eb|scrub response -all_refs",
    "open": "response.body|eb|scrub response *all_refs",
    "closed": "response.body|eb|scrub response /all_refs",
    "all": "response.body|eb|scrub response &all_refs",
    "semi": "response.body|eb|scrub response *jumps,/actions,/reqs",
}
default_input_status_re = ".(200|30[012378])C"
default_root_status_re = ".[23]00C"
def default_expr(kind: str, what: str) -> str:
    if kind != "serve" or what == "dot" or what.startswith("raw_"):
        return default_expr_values[what]
    return default_expr_values[what] + ",-inline_headers"
def cmd_get(cargs: _t.Any) -> None:
    if len(cargs.mexprs) == 0:
        cargs.mexprs = {stdout: [compile_expr(default_expr("get", cargs.default_expr))]}
    exp_path = _os.path.expanduser(cargs.path)
    rrexpr = rrexpr_wrr_loadf(exp_path)
    rrexpr.sniff = cargs.sniff
    for fobj, exprs in cargs.mexprs.items():
        print_exprs(rrexpr, exprs, cargs.separator, fobj)
        fobj.flush()
def cmd_run(cargs: _t.Any) -> None:
    if len(cargs.exprs) == 0:
        cargs.exprs = [compile_expr(default_expr("run", cargs.default_expr))]
    if cargs.num_args < 1:
        raise Failure("`run` sub-command requires at least one PATH")
    if cargs.num_args - 1 > len(cargs.args):
        raise Failure("not enough arguments to satisfy `--num-args`")
    # move (num_args - 1) arguments from args to paths
    ntail = len(cargs.args) + 1 - cargs.num_args
    args = cargs.args[:ntail]
    cargs.paths = cargs.args[ntail:] + cargs.paths
    elaborate_paths(cargs.paths)
    tmp_paths = []
    try:
        for exp_path in cargs.paths:
            rrexpr = rrexpr_wrr_loadf(exp_path)
            rrexpr.sniff = cargs.sniff
            # TODO: extension guessing
            fileno, tmp_path = _tempfile.mkstemp(prefix="hoardy_wrr_run_", suffix=".tmp")
            tmp_paths.append(tmp_path)
            with TIOWrappedWriter(_os.fdopen(fileno, "wb")) as f:
                print_exprs(rrexpr, cargs.exprs, cargs.separator, f)
        with _subprocess.Popen([cargs.command] + args + tmp_paths) as proc:
            _sys.exit(proc.wait())
    finally:
        for path in tmp_paths:
            _os.unlink(path)
def get_StreamEncoder(cargs: _t.Any) -> StreamEncoder:
    stream: StreamEncoder
    if cargs.format == "py":
        stream = PyStreamEncoder(stdout, cargs.abridged)
    elif cargs.format == "cbor":
        stream = CBORStreamEncoder(stdout, cargs.abridged)
    elif cargs.format == "json":
        stream = JSONStreamEncoder(stdout, cargs.abridged)
    elif cargs.format == "raw":
        stream = RawStreamEncoder(stdout, cargs.abridged, cargs.terminator)
    else:
        assert False
    return stream
def cmd_stream(cargs: _t.Any) -> None:
    if len(cargs.exprs) == 0:
        cargs.exprs = [compile_expr(default_expr("stream", cargs.default_expr))]
    stream = get_StreamEncoder(cargs)
    def emit(rrexpr: ReqresExpr[DeferredSourceType]) -> None:
        values: list[_t.Any] = []
        for expr, func in cargs.exprs:
            try:
                values.append(rrexpr.eval_func(func))
            except CatastrophicFailure as exc:
                raise exc.elaborate("while evaluating `%s`", expr)
        stream.emit(rrexpr.source.show_source(), cargs.exprs, values)
    _num, filters_allow, filters_warn = compile_filters(cargs)
    handle_paths(cargs)
    stream.start()
    try:
        map_wrr_paths(cargs, mk_rrexprs_load(cargs), filters_allow, emit, cargs.paths)
    finally:
        stream.finish()
    filters_warn()
def cmd_find(cargs: _t.Any) -> None:
    def emit(rrexpr: ReqresExpr[DeferredSourceType]) -> None:
        stdout.write(rrexpr.source.show_source())
        stdout.write_bytes(cargs.terminator)
        stdout.flush()
    _num, filters_allow, filters_warn = compile_filters(cargs)
    handle_paths(cargs)
    map_wrr_paths(cargs, mk_rrexprs_load(cargs), filters_allow, emit, cargs.paths)
    filters_warn()
example_url = [
    "https://example.org",
    "https://example.org/",
    "https://example.org/index.html",
    "https://example.org/media",
    "https://example.org/media/",
    "https://example.org/view?one=1&two=2&three=&three=3#fragment",
    "https://königsgäßchen.example.org/index.html",
    "https://ジャジェメント.ですの.example.org/испытание/is/",
    "https://xn--hck7aa9d8fj9i.xn--88j1aw.example.org/%D0%B8%D1%81%D0%BF%D1%8B%D1%82%D0%B0%D0%BD%D0%B8%D0%B5/is/",
    "https://xn--hck7aa9d8fj9i.ですの.example.org/исп%D1%8B%D1%82%D0%B0%D0%BD%D0%B8%D0%B5/is/",
]
def make_example(gen: _t.Callable[[str], str], indent: int) -> str:
    rev: dict[str, list[str]] = {}
    for url in example_url:
        current = gen(url)
        try:
            l = rev[current]
        except KeyError:
            l = []
            rev[current] = l
        l.append(url)
    res = []
    for map_to, urls in rev.items():
        res.append(
            " " * indent + "- " + ", ".join(map(lambda x: f"`{x}`", urls)) + " -> `" + map_to + "`"
        )
    return "\n".join(res).replace("%", "%%")
atom_test = [
    "raw_url",
    "net_url",
    "pretty_url",
    "pretty_nurl",
]
def atom_example(name: str, indent: int) -> str:
    return make_example(lambda url: getattr(parse_url(url), name), indent)
# fmt: off
ofdsd  = "%(syear)d/%(smonth)02d/%(sday)02d"
ofdms  = "%(shour)02d%(sminute)02d%(ssecond)02d%(stime_msq)03d"
ofdd  = f"%(syear)d-%(smonth)02d-%(sday)02d_{ofdms}"
ofpq   = "%(filepath_parts|abbrev_each 120|pp_to_path)s%(oqm)s%(mq_query|abbrev 120)s"
ofpsq  = "%(filepath_parts|abbrev_each 120|pp_to_path)s%(oqm)s%(mq_query|abbrev 100)s"
ofpnq  = "%(filepath_parts|abbrev_each 120|pp_to_path)s%(oqm)s%(mq_nquery|abbrev 120)s"
ofpsnq = "%(filepath_parts|abbrev_each 120|pp_to_path)s%(oqm)s%(mq_nquery|abbrev 100)s"
ofp_snq = "%(filepath_parts|abbrev_each 120|pp_to_path|replace / __|abbrev 120)s%(oqm)s%(mq_nquery|abbrev 100)s"
ofh4 = "%(net_url|to_ascii|sha256|take_prefix 2|to_hex)s"
output_alias = {
    "default":       f"{ofdsd}/{ofdms}_%(qtime_ms)s_%(method)s_{ofh4}_%(status)s_%(hostname)s_%(num)d",
    "short":         f"{ofdsd}/%(stime_ms)d_%(qtime_ms)s_%(num)d",
    "surl":           "%(scheme)s/%(netloc)s/%(mq_npath)s%(oqm)s%(mq_query)s",
    "surl_msn":       "%(scheme)s/%(netloc)s/%(mq_npath)s%(oqm)s%(mq_query)s__%(method)s_%(status)s_%(num)d",
    "surl_mstn":     f"%(scheme)s/%(netloc)s/%(mq_npath)s%(oqm)s%(mq_query)s__%(method)s_%(status)s_{ofdd}_%(num)d",
    "shupq":         f"%(scheme)s/%(hostname)s/{ofpq}%(filepath_ext)s",
    "shupq_n":       f"%(scheme)s/%(hostname)s/{ofpq}.%(num)d%(filepath_ext)s",
    "shupq_tn":      f"%(scheme)s/%(hostname)s/{ofpq}.{ofdd}_%(num)d%(filepath_ext)s",
    "shupq_msn":     f"%(scheme)s/%(hostname)s/{ofpsq}.%(method)s_%(status)s_%(num)d%(filepath_ext)s",
    "shupq_mstn":    f"%(scheme)s/%(hostname)s/{ofpsq}.%(method)s_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "shupnq":        f"%(scheme)s/%(hostname)s/{ofpnq}%(filepath_ext)s",
    "shupnq_n":      f"%(scheme)s/%(hostname)s/{ofpnq}.%(num)d%(filepath_ext)s",
    "shupnq_tn":     f"%(scheme)s/%(hostname)s/{ofpnq}.{ofdd}_%(num)d%(filepath_ext)s",
    "shupnq_msn":    f"%(scheme)s/%(hostname)s/{ofpsnq}.%(method)s_%(status)s_%(num)d%(filepath_ext)s",
    "shupnq_mstn":   f"%(scheme)s/%(hostname)s/{ofpsnq}.%(method)s_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "shupnq_mhs":    f"%(scheme)s/%(hostname)s/{ofpnq}.%(method)s_{ofh4}_%(status)s%(filepath_ext)s",
    "shupnq_mhsn":   f"%(scheme)s/%(hostname)s/{ofpsnq}.%(method)s_{ofh4}_%(status)s_%(num)d%(filepath_ext)s",
    "shupnq_mhstn":  f"%(scheme)s/%(hostname)s/{ofpsnq}.%(method)s_{ofh4}_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "srhupq":        f"%(scheme)s/%(rhostname)s/{ofpq}%(filepath_ext)s",
    "srhupq_n":      f"%(scheme)s/%(rhostname)s/{ofpq}.%(num)d%(filepath_ext)s",
    "srhupq_tn":     f"%(scheme)s/%(rhostname)s/{ofpq}.{ofdd}_%(num)d%(filepath_ext)s",
    "srhupq_msn":    f"%(scheme)s/%(rhostname)s/{ofpsq}.%(method)s_%(status)s_%(num)d%(filepath_ext)s",
    "srhupq_mstn":   f"%(scheme)s/%(rhostname)s/{ofpsq}.%(method)s_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "srhupnq":       f"%(scheme)s/%(rhostname)s/{ofpnq}%(filepath_ext)s",
    "srhupnq_n":     f"%(scheme)s/%(rhostname)s/{ofpnq}.%(num)d%(filepath_ext)s",
    "srhupnq_tn":    f"%(scheme)s/%(rhostname)s/{ofpnq}.{ofdd}_%(num)d%(filepath_ext)s",
    "srhupnq_msn":   f"%(scheme)s/%(rhostname)s/{ofpsnq}.%(method)s_%(status)s_%(num)d%(filepath_ext)s",
    "srhupnq_mstn":  f"%(scheme)s/%(rhostname)s/{ofpsnq}.%(method)s_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "srhupnq_mhs":   f"%(scheme)s/%(rhostname)s/{ofpnq}.%(method)s_{ofh4}_%(status)s%(filepath_ext)s",
    "srhupnq_mhsn":  f"%(scheme)s/%(rhostname)s/{ofpsnq}.%(method)s_{ofh4}_%(status)s_%(num)d%(filepath_ext)s",
    "srhupnq_mhstn": f"%(scheme)s/%(rhostname)s/{ofpsnq}.%(method)s_{ofh4}_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "url":            "%(netloc)s/%(mq_npath)s%(oqm)s%(mq_query)s",
    "url_msn":        "%(netloc)s/%(mq_npath)s%(oqm)s%(mq_query)s__%(method)s_%(status)s_%(num)d",
    "url_mstn":      f"%(netloc)s/%(mq_npath)s%(oqm)s%(mq_query)s__%(method)s_%(status)s_{ofdd}_%(num)d",
    "hupq":          f"%(hostname)s/{ofpq}%(filepath_ext)s",
    "hupq_n":        f"%(hostname)s/{ofpq}.%(num)d%(filepath_ext)s",
    "hupq_tn":       f"%(hostname)s/{ofpq}.{ofdd}_%(num)d%(filepath_ext)s",
    "hupq_msn":      f"%(hostname)s/{ofpsq}.%(method)s_%(status)s_%(num)d%(filepath_ext)s",
    "hupq_mstn":     f"%(hostname)s/{ofpsq}.%(method)s_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "hupnq":         f"%(hostname)s/{ofpnq}%(filepath_ext)s",
    "hupnq_n":       f"%(hostname)s/{ofpnq}.%(num)d%(filepath_ext)s",
    "hupnq_tn":      f"%(hostname)s/{ofpnq}.{ofdd}_%(num)d%(filepath_ext)s",
    "hupnq_msn":     f"%(hostname)s/{ofpsnq}.%(method)s_%(status)s_%(num)d%(filepath_ext)s",
    "hupnq_mstn":    f"%(hostname)s/{ofpsnq}.%(method)s_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "hupnq_mhs":     f"%(hostname)s/{ofpnq}.%(method)s_{ofh4}_%(status)s%(filepath_ext)s",
    "hupnq_mhsn":    f"%(hostname)s/{ofpsnq}.%(method)s_{ofh4}_%(status)s_%(num)d%(filepath_ext)s",
    "hupnq_mhstn":   f"%(hostname)s/{ofpsnq}.%(method)s_{ofh4}_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "rhupq":         f"%(rhostname)s/{ofpq}%(filepath_ext)s",
    "rhupq_n":       f"%(rhostname)s/{ofpq}.%(num)d%(filepath_ext)s",
    "rhupq_tn":      f"%(rhostname)s/{ofpq}.{ofdd}_%(num)d%(filepath_ext)s",
    "rhupq_msn":     f"%(rhostname)s/{ofpsq}.%(method)s_%(status)s_%(num)d%(filepath_ext)s",
    "rhupq_mstn":    f"%(rhostname)s/{ofpsq}.%(method)s_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "rhupnq":        f"%(rhostname)s/{ofpnq}%(filepath_ext)s",
    "rhupnq_n":      f"%(rhostname)s/{ofpnq}.%(num)d%(filepath_ext)s",
    "rhupnq_tn":     f"%(rhostname)s/{ofpnq}.{ofdd}_%(num)d%(filepath_ext)s",
    "rhupnq_msn":    f"%(rhostname)s/{ofpsnq}.%(method)s_%(status)s_%(num)d%(filepath_ext)s",
    "rhupnq_mstn":   f"%(rhostname)s/{ofpsnq}.%(method)s_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "rhupnq_mhs":    f"%(rhostname)s/{ofpnq}.%(method)s_{ofh4}_%(status)s%(filepath_ext)s",
    "rhupnq_mhsn":   f"%(rhostname)s/{ofpsnq}.%(method)s_{ofh4}_%(status)s_%(num)d%(filepath_ext)s",
    "rhupnq_mhstn":  f"%(rhostname)s/{ofpsnq}.%(method)s_{ofh4}_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "flat":          f"%(hostname)s/{ofp_snq}%(filepath_ext)s",
    "flat_n":        f"%(hostname)s/{ofp_snq}.%(num)d%(filepath_ext)s",
    "flat_tn":       f"%(hostname)s/{ofp_snq}.{ofdd}_%(num)d%(filepath_ext)s",
    "flat_ms":       f"%(hostname)s/{ofp_snq}.%(method)s_%(status)s%(filepath_ext)s",
    "flat_msn":      f"%(hostname)s/{ofp_snq}.%(method)s_%(status)s_%(num)d%(filepath_ext)s",
    "flat_mstn":     f"%(hostname)s/{ofp_snq}.%(method)s_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
    "flat_mhs":      f"%(hostname)s/{ofp_snq}.%(method)s_{ofh4}_%(status)s%(filepath_ext)s",
    "flat_mhsn":     f"%(hostname)s/{ofp_snq}.%(method)s_{ofh4}_%(status)s_%(num)d%(filepath_ext)s",
    "flat_mhstn":    f"%(hostname)s/{ofp_snq}.%(method)s_{ofh4}_%(status)s_{ofdd}_%(num)d%(filepath_ext)s",
}
content_output_alias = {
    "default": "_content/sha256/%(content_sha256|take_prefix 1|to_hex)s/%(content_sha256|to_hex)s%(filepath_ext)s"
}
# fmt: on
def output_example(name: str, indent: int) -> str:
    def gen(url: str) -> str:
        x = ReqresExpr(UnknownSource(), trivial_Reqres(parse_url(url)))
        x.values["num"] = 0
        return output_alias[name] % x
    return make_example(gen, indent)
def test_outputs_aliases() -> None:
    def mk(url: str) -> ReqresExpr[UnknownSource]:
        return ReqresExpr(UnknownSource(), trivial_Reqres(parse_url(url)))
    res = []
    prev = ""
    for name, alias in output_alias.items():
        for url in example_url:
            x = mk(url)
            x.values["num"] = 0
            prefix = name + ":" + " " * (12 - len(name)) + " "
            current = alias % x
            if prev != current:
                res.append(prefix + current)
            else:
                res.append(prefix + "==")
            prev = current
    pristine = """
default:      1970/01/01/001640000_0_GET_8198_C200C_example.org_0
default:      ==
default:      1970/01/01/001640000_0_GET_f0dc_C200C_example.org_0
default:      1970/01/01/001640000_0_GET_086d_C200C_example.org_0
default:      1970/01/01/001640000_0_GET_3fbb_C200C_example.org_0
default:      1970/01/01/001640000_0_GET_5658_C200C_example.org_0
default:      1970/01/01/001640000_0_GET_4f11_C200C_königsgäßchen.example.org_0
default:      1970/01/01/001640000_0_GET_c4ae_C200C_ジャジェメント.ですの.example.org_0
default:      ==
default:      ==
short:        1970/01/01/1000000_0_0
short:        ==
short:        ==
short:        ==
short:        ==
short:        ==
short:        ==
short:        ==
short:        ==
short:        ==
surl:         https/example.org/
surl:         ==
surl:         https/example.org/index.html
surl:         https/example.org/media
surl:         ==
surl:         https/example.org/view?one=1&two=2&three=&three=3
surl:         https/königsgäßchen.example.org/index.html
surl:         https/ジャジェメント.ですの.example.org/испытание/is
surl:         ==
surl:         ==
surl_msn:     https/example.org/__GET_C200C_0
surl_msn:     ==
surl_msn:     https/example.org/index.html__GET_C200C_0
surl_msn:     https/example.org/media__GET_C200C_0
surl_msn:     ==
surl_msn:     https/example.org/view?one=1&two=2&three=&three=3__GET_C200C_0
surl_msn:     https/königsgäßchen.example.org/index.html__GET_C200C_0
surl_msn:     https/ジャジェメント.ですの.example.org/испытание/is__GET_C200C_0
surl_msn:     ==
surl_msn:     ==
surl_mstn:    https/example.org/__GET_C200C_1970-01-01_001640000_0
surl_mstn:    ==
surl_mstn:    https/example.org/index.html__GET_C200C_1970-01-01_001640000_0
surl_mstn:    https/example.org/media__GET_C200C_1970-01-01_001640000_0
surl_mstn:    ==
surl_mstn:    https/example.org/view?one=1&two=2&three=&three=3__GET_C200C_1970-01-01_001640000_0
surl_mstn:    https/königsgäßchen.example.org/index.html__GET_C200C_1970-01-01_001640000_0
surl_mstn:    https/ジャジェメント.ですの.example.org/испытание/is__GET_C200C_1970-01-01_001640000_0
surl_mstn:    ==
surl_mstn:    ==
shupq:        https/example.org/index.htm
shupq:        ==
shupq:        https/example.org/index.html
shupq:        https/example.org/media/index.htm
shupq:        ==
shupq:        https/example.org/view/index?one=1&two=2&three=&three=3.htm
shupq:        https/königsgäßchen.example.org/index.html
shupq:        https/ジャジェメント.ですの.example.org/испытание/is/index.htm
shupq:        ==
shupq:        ==
shupq_n:      https/example.org/index.0.htm
shupq_n:      ==
shupq_n:      https/example.org/index.0.html
shupq_n:      https/example.org/media/index.0.htm
shupq_n:      ==
shupq_n:      https/example.org/view/index?one=1&two=2&three=&three=3.0.htm
shupq_n:      https/königsgäßchen.example.org/index.0.html
shupq_n:      https/ジャジェメント.ですの.example.org/испытание/is/index.0.htm
shupq_n:      ==
shupq_n:      ==
shupq_tn:     https/example.org/index.1970-01-01_001640000_0.htm
shupq_tn:     ==
shupq_tn:     https/example.org/index.1970-01-01_001640000_0.html
shupq_tn:     https/example.org/media/index.1970-01-01_001640000_0.htm
shupq_tn:     ==
shupq_tn:     https/example.org/view/index?one=1&two=2&three=&three=3.1970-01-01_001640000_0.htm
shupq_tn:     https/königsgäßchen.example.org/index.1970-01-01_001640000_0.html
shupq_tn:     https/ジャジェメント.ですの.example.org/испытание/is/index.1970-01-01_001640000_0.htm
shupq_tn:     ==
shupq_tn:     ==
shupq_msn:    https/example.org/index.GET_C200C_0.htm
shupq_msn:    ==
shupq_msn:    https/example.org/index.GET_C200C_0.html
shupq_msn:    https/example.org/media/index.GET_C200C_0.htm
shupq_msn:    ==
shupq_msn:    https/example.org/view/index?one=1&two=2&three=&three=3.GET_C200C_0.htm
shupq_msn:    https/königsgäßchen.example.org/index.GET_C200C_0.html
shupq_msn:    https/ジャジェメント.ですの.example.org/испытание/is/index.GET_C200C_0.htm
shupq_msn:    ==
shupq_msn:    ==
shupq_mstn:   https/example.org/index.GET_C200C_1970-01-01_001640000_0.htm
shupq_mstn:   ==
shupq_mstn:   https/example.org/index.GET_C200C_1970-01-01_001640000_0.html
shupq_mstn:   https/example.org/media/index.GET_C200C_1970-01-01_001640000_0.htm
shupq_mstn:   ==
shupq_mstn:   https/example.org/view/index?one=1&two=2&three=&three=3.GET_C200C_1970-01-01_001640000_0.htm
shupq_mstn:   https/königsgäßchen.example.org/index.GET_C200C_1970-01-01_001640000_0.html
shupq_mstn:   https/ジャジェメント.ですの.example.org/испытание/is/index.GET_C200C_1970-01-01_001640000_0.htm
shupq_mstn:   ==
shupq_mstn:   ==
shupnq:       https/example.org/index.htm
shupnq:       ==
shupnq:       https/example.org/index.html
shupnq:       https/example.org/media/index.htm
shupnq:       ==
shupnq:       https/example.org/view/index?one=1&two=2&three=3.htm
shupnq:       https/königsgäßchen.example.org/index.html
shupnq:       https/ジャジェメント.ですの.example.org/испытание/is/index.htm
shupnq:       ==
shupnq:       ==
shupnq_n:     https/example.org/index.0.htm
shupnq_n:     ==
shupnq_n:     https/example.org/index.0.html
shupnq_n:     https/example.org/media/index.0.htm
shupnq_n:     ==
shupnq_n:     https/example.org/view/index?one=1&two=2&three=3.0.htm
shupnq_n:     https/königsgäßchen.example.org/index.0.html
shupnq_n:     https/ジャジェメント.ですの.example.org/испытание/is/index.0.htm
shupnq_n:     ==
shupnq_n:     ==
shupnq_tn:    https/example.org/index.1970-01-01_001640000_0.htm
shupnq_tn:    ==
shupnq_tn:    https/example.org/index.1970-01-01_001640000_0.html
shupnq_tn:    https/example.org/media/index.1970-01-01_001640000_0.htm
shupnq_tn:    ==
shupnq_tn:    https/example.org/view/index?one=1&two=2&three=3.1970-01-01_001640000_0.htm
shupnq_tn:    https/königsgäßchen.example.org/index.1970-01-01_001640000_0.html
shupnq_tn:    https/ジャジェメント.ですの.example.org/испытание/is/index.1970-01-01_001640000_0.htm
shupnq_tn:    ==
shupnq_tn:    ==
shupnq_msn:   https/example.org/index.GET_C200C_0.htm
shupnq_msn:   ==
shupnq_msn:   https/example.org/index.GET_C200C_0.html
shupnq_msn:   https/example.org/media/index.GET_C200C_0.htm
shupnq_msn:   ==
shupnq_msn:   https/example.org/view/index?one=1&two=2&three=3.GET_C200C_0.htm
shupnq_msn:   https/königsgäßchen.example.org/index.GET_C200C_0.html
shupnq_msn:   https/ジャジェメント.ですの.example.org/испытание/is/index.GET_C200C_0.htm
shupnq_msn:   ==
shupnq_msn:   ==
shupnq_mstn:  https/example.org/index.GET_C200C_1970-01-01_001640000_0.htm
shupnq_mstn:  ==
shupnq_mstn:  https/example.org/index.GET_C200C_1970-01-01_001640000_0.html
shupnq_mstn:  https/example.org/media/index.GET_C200C_1970-01-01_001640000_0.htm
shupnq_mstn:  ==
shupnq_mstn:  https/example.org/view/index?one=1&two=2&three=3.GET_C200C_1970-01-01_001640000_0.htm
shupnq_mstn:  https/königsgäßchen.example.org/index.GET_C200C_1970-01-01_001640000_0.html
shupnq_mstn:  https/ジャジェメント.ですの.example.org/испытание/is/index.GET_C200C_1970-01-01_001640000_0.htm
shupnq_mstn:  ==
shupnq_mstn:  ==
shupnq_mhs:   https/example.org/index.GET_8198_C200C.htm
shupnq_mhs:   ==
shupnq_mhs:   https/example.org/index.GET_f0dc_C200C.html
shupnq_mhs:   https/example.org/media/index.GET_086d_C200C.htm
shupnq_mhs:   https/example.org/media/index.GET_3fbb_C200C.htm
shupnq_mhs:   https/example.org/view/index?one=1&two=2&three=3.GET_5658_C200C.htm
shupnq_mhs:   https/königsgäßchen.example.org/index.GET_4f11_C200C.html
shupnq_mhs:   https/ジャジェメント.ですの.example.org/испытание/is/index.GET_c4ae_C200C.htm
shupnq_mhs:   ==
shupnq_mhs:   ==
shupnq_mhsn:  https/example.org/index.GET_8198_C200C_0.htm
shupnq_mhsn:  ==
shupnq_mhsn:  https/example.org/index.GET_f0dc_C200C_0.html
shupnq_mhsn:  https/example.org/media/index.GET_086d_C200C_0.htm
shupnq_mhsn:  https/example.org/media/index.GET_3fbb_C200C_0.htm
shupnq_mhsn:  https/example.org/view/index?one=1&two=2&three=3.GET_5658_C200C_0.htm
shupnq_mhsn:  https/königsgäßchen.example.org/index.GET_4f11_C200C_0.html
shupnq_mhsn:  https/ジャジェメント.ですの.example.org/испытание/is/index.GET_c4ae_C200C_0.htm
shupnq_mhsn:  ==
shupnq_mhsn:  ==
shupnq_mhstn: https/example.org/index.GET_8198_C200C_1970-01-01_001640000_0.htm
shupnq_mhstn: ==
shupnq_mhstn: https/example.org/index.GET_f0dc_C200C_1970-01-01_001640000_0.html
shupnq_mhstn: https/example.org/media/index.GET_086d_C200C_1970-01-01_001640000_0.htm
shupnq_mhstn: https/example.org/media/index.GET_3fbb_C200C_1970-01-01_001640000_0.htm
shupnq_mhstn: https/example.org/view/index?one=1&two=2&three=3.GET_5658_C200C_1970-01-01_001640000_0.htm
shupnq_mhstn: https/königsgäßchen.example.org/index.GET_4f11_C200C_1970-01-01_001640000_0.html
shupnq_mhstn: https/ジャジェメント.ですの.example.org/испытание/is/index.GET_c4ae_C200C_1970-01-01_001640000_0.htm
shupnq_mhstn: ==
shupnq_mhstn: ==
srhupq:       https/org.example/index.htm
srhupq:       ==
srhupq:       https/org.example/index.html
srhupq:       https/org.example/media/index.htm
srhupq:       ==
srhupq:       https/org.example/view/index?one=1&two=2&three=&three=3.htm
srhupq:       https/org.example.königsgäßchen/index.html
srhupq:       https/org.example.ですの.ジャジェメント/испытание/is/index.htm
srhupq:       ==
srhupq:       ==
srhupq_n:     https/org.example/index.0.htm
srhupq_n:     ==
srhupq_n:     https/org.example/index.0.html
srhupq_n:     https/org.example/media/index.0.htm
srhupq_n:     ==
srhupq_n:     https/org.example/view/index?one=1&two=2&three=&three=3.0.htm
srhupq_n:     https/org.example.königsgäßchen/index.0.html
srhupq_n:     https/org.example.ですの.ジャジェメント/испытание/is/index.0.htm
srhupq_n:     ==
srhupq_n:     ==
srhupq_tn:    https/org.example/index.1970-01-01_001640000_0.htm
srhupq_tn:    ==
srhupq_tn:    https/org.example/index.1970-01-01_001640000_0.html
srhupq_tn:    https/org.example/media/index.1970-01-01_001640000_0.htm
srhupq_tn:    ==
srhupq_tn:    https/org.example/view/index?one=1&two=2&three=&three=3.1970-01-01_001640000_0.htm
srhupq_tn:    https/org.example.königsgäßchen/index.1970-01-01_001640000_0.html
srhupq_tn:    https/org.example.ですの.ジャジェメント/испытание/is/index.1970-01-01_001640000_0.htm
srhupq_tn:    ==
srhupq_tn:    ==
srhupq_msn:   https/org.example/index.GET_C200C_0.htm
srhupq_msn:   ==
srhupq_msn:   https/org.example/index.GET_C200C_0.html
srhupq_msn:   https/org.example/media/index.GET_C200C_0.htm
srhupq_msn:   ==
srhupq_msn:   https/org.example/view/index?one=1&two=2&three=&three=3.GET_C200C_0.htm
srhupq_msn:   https/org.example.königsgäßchen/index.GET_C200C_0.html
srhupq_msn:   https/org.example.ですの.ジャジェメント/испытание/is/index.GET_C200C_0.htm
srhupq_msn:   ==
srhupq_msn:   ==
srhupq_mstn:  https/org.example/index.GET_C200C_1970-01-01_001640000_0.htm
srhupq_mstn:  ==
srhupq_mstn:  https/org.example/index.GET_C200C_1970-01-01_001640000_0.html
srhupq_mstn:  https/org.example/media/index.GET_C200C_1970-01-01_001640000_0.htm
srhupq_mstn:  ==
srhupq_mstn:  https/org.example/view/index?one=1&two=2&three=&three=3.GET_C200C_1970-01-01_001640000_0.htm
srhupq_mstn:  https/org.example.königsgäßchen/index.GET_C200C_1970-01-01_001640000_0.html
srhupq_mstn:  https/org.example.ですの.ジャジェメント/испытание/is/index.GET_C200C_1970-01-01_001640000_0.htm
srhupq_mstn:  ==
srhupq_mstn:  ==
srhupnq:      https/org.example/index.htm
srhupnq:      ==
srhupnq:      https/org.example/index.html
srhupnq:      https/org.example/media/index.htm
srhupnq:      ==
srhupnq:      https/org.example/view/index?one=1&two=2&three=3.htm
srhupnq:      https/org.example.königsgäßchen/index.html
srhupnq:      https/org.example.ですの.ジャジェメント/испытание/is/index.htm
srhupnq:      ==
srhupnq:      ==
srhupnq_n:    https/org.example/index.0.htm
srhupnq_n:    ==
srhupnq_n:    https/org.example/index.0.html
srhupnq_n:    https/org.example/media/index.0.htm
srhupnq_n:    ==
srhupnq_n:    https/org.example/view/index?one=1&two=2&three=3.0.htm
srhupnq_n:    https/org.example.königsgäßchen/index.0.html
srhupnq_n:    https/org.example.ですの.ジャジェメント/испытание/is/index.0.htm
srhupnq_n:    ==
srhupnq_n:    ==
srhupnq_tn:   https/org.example/index.1970-01-01_001640000_0.htm
srhupnq_tn:   ==
srhupnq_tn:   https/org.example/index.1970-01-01_001640000_0.html
srhupnq_tn:   https/org.example/media/index.1970-01-01_001640000_0.htm
srhupnq_tn:   ==
srhupnq_tn:   https/org.example/view/index?one=1&two=2&three=3.1970-01-01_001640000_0.htm
srhupnq_tn:   https/org.example.königsgäßchen/index.1970-01-01_001640000_0.html
srhupnq_tn:   https/org.example.ですの.ジャジェメント/испытание/is/index.1970-01-01_001640000_0.htm
srhupnq_tn:   ==
srhupnq_tn:   ==
srhupnq_msn:  https/org.example/index.GET_C200C_0.htm
srhupnq_msn:  ==
srhupnq_msn:  https/org.example/index.GET_C200C_0.html
srhupnq_msn:  https/org.example/media/index.GET_C200C_0.htm
srhupnq_msn:  ==
srhupnq_msn:  https/org.example/view/index?one=1&two=2&three=3.GET_C200C_0.htm
srhupnq_msn:  https/org.example.königsgäßchen/index.GET_C200C_0.html
srhupnq_msn:  https/org.example.ですの.ジャジェメント/испытание/is/index.GET_C200C_0.htm
srhupnq_msn:  ==
srhupnq_msn:  ==
srhupnq_mstn: https/org.example/index.GET_C200C_1970-01-01_001640000_0.htm
srhupnq_mstn: ==
srhupnq_mstn: https/org.example/index.GET_C200C_1970-01-01_001640000_0.html
srhupnq_mstn: https/org.example/media/index.GET_C200C_1970-01-01_001640000_0.htm
srhupnq_mstn: ==
srhupnq_mstn: https/org.example/view/index?one=1&two=2&three=3.GET_C200C_1970-01-01_001640000_0.htm
srhupnq_mstn: https/org.example.königsgäßchen/index.GET_C200C_1970-01-01_001640000_0.html
srhupnq_mstn: https/org.example.ですの.ジャジェメント/испытание/is/index.GET_C200C_1970-01-01_001640000_0.htm
srhupnq_mstn: ==
srhupnq_mstn: ==
srhupnq_mhs:  https/org.example/index.GET_8198_C200C.htm
srhupnq_mhs:  ==
srhupnq_mhs:  https/org.example/index.GET_f0dc_C200C.html
srhupnq_mhs:  https/org.example/media/index.GET_086d_C200C.htm
srhupnq_mhs:  https/org.example/media/index.GET_3fbb_C200C.htm
srhupnq_mhs:  https/org.example/view/index?one=1&two=2&three=3.GET_5658_C200C.htm
srhupnq_mhs:  https/org.example.königsgäßchen/index.GET_4f11_C200C.html
srhupnq_mhs:  https/org.example.ですの.ジャジェメント/испытание/is/index.GET_c4ae_C200C.htm
srhupnq_mhs:  ==
srhupnq_mhs:  ==
srhupnq_mhsn: https/org.example/index.GET_8198_C200C_0.htm
srhupnq_mhsn: ==
srhupnq_mhsn: https/org.example/index.GET_f0dc_C200C_0.html
srhupnq_mhsn: https/org.example/media/index.GET_086d_C200C_0.htm
srhupnq_mhsn: https/org.example/media/index.GET_3fbb_C200C_0.htm
srhupnq_mhsn: https/org.example/view/index?one=1&two=2&three=3.GET_5658_C200C_0.htm
srhupnq_mhsn: https/org.example.königsgäßchen/index.GET_4f11_C200C_0.html
srhupnq_mhsn: https/org.example.ですの.ジャジェメント/испытание/is/index.GET_c4ae_C200C_0.htm
srhupnq_mhsn: ==
srhupnq_mhsn: ==
srhupnq_mhstn: https/org.example/index.GET_8198_C200C_1970-01-01_001640000_0.htm
srhupnq_mhstn: ==
srhupnq_mhstn: https/org.example/index.GET_f0dc_C200C_1970-01-01_001640000_0.html
srhupnq_mhstn: https/org.example/media/index.GET_086d_C200C_1970-01-01_001640000_0.htm
srhupnq_mhstn: https/org.example/media/index.GET_3fbb_C200C_1970-01-01_001640000_0.htm
srhupnq_mhstn: https/org.example/view/index?one=1&two=2&three=3.GET_5658_C200C_1970-01-01_001640000_0.htm
srhupnq_mhstn: https/org.example.königsgäßchen/index.GET_4f11_C200C_1970-01-01_001640000_0.html
srhupnq_mhstn: https/org.example.ですの.ジャジェメント/испытание/is/index.GET_c4ae_C200C_1970-01-01_001640000_0.htm
srhupnq_mhstn: ==
srhupnq_mhstn: ==
url:          example.org/
url:          ==
url:          example.org/index.html
url:          example.org/media
url:          ==
url:          example.org/view?one=1&two=2&three=&three=3
url:          königsgäßchen.example.org/index.html
url:          ジャジェメント.ですの.example.org/испытание/is
url:          ==
url:          ==
url_msn:      example.org/__GET_C200C_0
url_msn:      ==
url_msn:      example.org/index.html__GET_C200C_0
url_msn:      example.org/media__GET_C200C_0
url_msn:      ==
url_msn:      example.org/view?one=1&two=2&three=&three=3__GET_C200C_0
url_msn:      königsgäßchen.example.org/index.html__GET_C200C_0
url_msn:      ジャジェメント.ですの.example.org/испытание/is__GET_C200C_0
url_msn:      ==
url_msn:      ==
url_mstn:     example.org/__GET_C200C_1970-01-01_001640000_0
url_mstn:     ==
url_mstn:     example.org/index.html__GET_C200C_1970-01-01_001640000_0
url_mstn:     example.org/media__GET_C200C_1970-01-01_001640000_0
url_mstn:     ==
url_mstn:     example.org/view?one=1&two=2&three=&three=3__GET_C200C_1970-01-01_001640000_0
url_mstn:     königsgäßchen.example.org/index.html__GET_C200C_1970-01-01_001640000_0
url_mstn:     ジャジェメント.ですの.example.org/испытание/is__GET_C200C_1970-01-01_001640000_0
url_mstn:     ==
url_mstn:     ==
hupq:         example.org/index.htm
hupq:         ==
hupq:         example.org/index.html
hupq:         example.org/media/index.htm
hupq:         ==
hupq:         example.org/view/index?one=1&two=2&three=&three=3.htm
hupq:         königsgäßchen.example.org/index.html
hupq:         ジャジェメント.ですの.example.org/испытание/is/index.htm
hupq:         ==
hupq:         ==
hupq_n:       example.org/index.0.htm
hupq_n:       ==
hupq_n:       example.org/index.0.html
hupq_n:       example.org/media/index.0.htm
hupq_n:       ==
hupq_n:       example.org/view/index?one=1&two=2&three=&three=3.0.htm
hupq_n:       königsgäßchen.example.org/index.0.html
hupq_n:       ジャジェメント.ですの.example.org/испытание/is/index.0.htm
hupq_n:       ==
hupq_n:       ==
hupq_tn:      example.org/index.1970-01-01_001640000_0.htm
hupq_tn:      ==
hupq_tn:      example.org/index.1970-01-01_001640000_0.html
hupq_tn:      example.org/media/index.1970-01-01_001640000_0.htm
hupq_tn:      ==
hupq_tn:      example.org/view/index?one=1&two=2&three=&three=3.1970-01-01_001640000_0.htm
hupq_tn:      königsgäßchen.example.org/index.1970-01-01_001640000_0.html
hupq_tn:      ジャジェメント.ですの.example.org/испытание/is/index.1970-01-01_001640000_0.htm
hupq_tn:      ==
hupq_tn:      ==
hupq_msn:     example.org/index.GET_C200C_0.htm
hupq_msn:     ==
hupq_msn:     example.org/index.GET_C200C_0.html
hupq_msn:     example.org/media/index.GET_C200C_0.htm
hupq_msn:     ==
hupq_msn:     example.org/view/index?one=1&two=2&three=&three=3.GET_C200C_0.htm
hupq_msn:     königsgäßchen.example.org/index.GET_C200C_0.html
hupq_msn:     ジャジェメント.ですの.example.org/испытание/is/index.GET_C200C_0.htm
hupq_msn:     ==
hupq_msn:     ==
hupq_mstn:    example.org/index.GET_C200C_1970-01-01_001640000_0.htm
hupq_mstn:    ==
hupq_mstn:    example.org/index.GET_C200C_1970-01-01_001640000_0.html
hupq_mstn:    example.org/media/index.GET_C200C_1970-01-01_001640000_0.htm
hupq_mstn:    ==
hupq_mstn:    example.org/view/index?one=1&two=2&three=&three=3.GET_C200C_1970-01-01_001640000_0.htm
hupq_mstn:    königsgäßchen.example.org/index.GET_C200C_1970-01-01_001640000_0.html
hupq_mstn:    ジャジェメント.ですの.example.org/испытание/is/index.GET_C200C_1970-01-01_001640000_0.htm
hupq_mstn:    ==
hupq_mstn:    ==
hupnq:        example.org/index.htm
hupnq:        ==
hupnq:        example.org/index.html
hupnq:        example.org/media/index.htm
hupnq:        ==
hupnq:        example.org/view/index?one=1&two=2&three=3.htm
hupnq:        königsgäßchen.example.org/index.html
hupnq:        ジャジェメント.ですの.example.org/испытание/is/index.htm
hupnq:        ==
hupnq:        ==
hupnq_n:      example.org/index.0.htm
hupnq_n:      ==
hupnq_n:      example.org/index.0.html
hupnq_n:      example.org/media/index.0.htm
hupnq_n:      ==
hupnq_n:      example.org/view/index?one=1&two=2&three=3.0.htm
hupnq_n:      königsgäßchen.example.org/index.0.html
hupnq_n:      ジャジェメント.ですの.example.org/испытание/is/index.0.htm
hupnq_n:      ==
hupnq_n:      ==
hupnq_tn:     example.org/index.1970-01-01_001640000_0.htm
hupnq_tn:     ==
hupnq_tn:     example.org/index.1970-01-01_001640000_0.html
hupnq_tn:     example.org/media/index.1970-01-01_001640000_0.htm
hupnq_tn:     ==
hupnq_tn:     example.org/view/index?one=1&two=2&three=3.1970-01-01_001640000_0.htm
hupnq_tn:     königsgäßchen.example.org/index.1970-01-01_001640000_0.html
hupnq_tn:     ジャジェメント.ですの.example.org/испытание/is/index.1970-01-01_001640000_0.htm
hupnq_tn:     ==
hupnq_tn:     ==
hupnq_msn:    example.org/index.GET_C200C_0.htm
hupnq_msn:    ==
hupnq_msn:    example.org/index.GET_C200C_0.html
hupnq_msn:    example.org/media/index.GET_C200C_0.htm
hupnq_msn:    ==
hupnq_msn:    example.org/view/index?one=1&two=2&three=3.GET_C200C_0.htm
hupnq_msn:    königsgäßchen.example.org/index.GET_C200C_0.html
hupnq_msn:    ジャジェメント.ですの.example.org/испытание/is/index.GET_C200C_0.htm
hupnq_msn:    ==
hupnq_msn:    ==
hupnq_mstn:   example.org/index.GET_C200C_1970-01-01_001640000_0.htm
hupnq_mstn:   ==
hupnq_mstn:   example.org/index.GET_C200C_1970-01-01_001640000_0.html
hupnq_mstn:   example.org/media/index.GET_C200C_1970-01-01_001640000_0.htm
hupnq_mstn:   ==
hupnq_mstn:   example.org/view/index?one=1&two=2&three=3.GET_C200C_1970-01-01_001640000_0.htm
hupnq_mstn:   königsgäßchen.example.org/index.GET_C200C_1970-01-01_001640000_0.html
hupnq_mstn:   ジャジェメント.ですの.example.org/испытание/is/index.GET_C200C_1970-01-01_001640000_0.htm
hupnq_mstn:   ==
hupnq_mstn:   ==
hupnq_mhs:    example.org/index.GET_8198_C200C.htm
hupnq_mhs:    ==
hupnq_mhs:    example.org/index.GET_f0dc_C200C.html
hupnq_mhs:    example.org/media/index.GET_086d_C200C.htm
hupnq_mhs:    example.org/media/index.GET_3fbb_C200C.htm
hupnq_mhs:    example.org/view/index?one=1&two=2&three=3.GET_5658_C200C.htm
hupnq_mhs:    königsgäßchen.example.org/index.GET_4f11_C200C.html
hupnq_mhs:    ジャジェメント.ですの.example.org/испытание/is/index.GET_c4ae_C200C.htm
hupnq_mhs:    ==
hupnq_mhs:    ==
hupnq_mhsn:   example.org/index.GET_8198_C200C_0.htm
hupnq_mhsn:   ==
hupnq_mhsn:   example.org/index.GET_f0dc_C200C_0.html
hupnq_mhsn:   example.org/media/index.GET_086d_C200C_0.htm
hupnq_mhsn:   example.org/media/index.GET_3fbb_C200C_0.htm
hupnq_mhsn:   example.org/view/index?one=1&two=2&three=3.GET_5658_C200C_0.htm
hupnq_mhsn:   königsgäßchen.example.org/index.GET_4f11_C200C_0.html
hupnq_mhsn:   ジャジェメント.ですの.example.org/испытание/is/index.GET_c4ae_C200C_0.htm
hupnq_mhsn:   ==
hupnq_mhsn:   ==
hupnq_mhstn:  example.org/index.GET_8198_C200C_1970-01-01_001640000_0.htm
hupnq_mhstn:  ==
hupnq_mhstn:  example.org/index.GET_f0dc_C200C_1970-01-01_001640000_0.html
hupnq_mhstn:  example.org/media/index.GET_086d_C200C_1970-01-01_001640000_0.htm
hupnq_mhstn:  example.org/media/index.GET_3fbb_C200C_1970-01-01_001640000_0.htm
hupnq_mhstn:  example.org/view/index?one=1&two=2&three=3.GET_5658_C200C_1970-01-01_001640000_0.htm
hupnq_mhstn:  königsgäßchen.example.org/index.GET_4f11_C200C_1970-01-01_001640000_0.html
hupnq_mhstn:  ジャジェメント.ですの.example.org/испытание/is/index.GET_c4ae_C200C_1970-01-01_001640000_0.htm
hupnq_mhstn:  ==
hupnq_mhstn:  ==
rhupq:        org.example/index.htm
rhupq:        ==
rhupq:        org.example/index.html
rhupq:        org.example/media/index.htm
rhupq:        ==
rhupq:        org.example/view/index?one=1&two=2&three=&three=3.htm
rhupq:        org.example.königsgäßchen/index.html
rhupq:        org.example.ですの.ジャジェメント/испытание/is/index.htm
rhupq:        ==
rhupq:        ==
rhupq_n:      org.example/index.0.htm
rhupq_n:      ==
rhupq_n:      org.example/index.0.html
rhupq_n:      org.example/media/index.0.htm
rhupq_n:      ==
rhupq_n:      org.example/view/index?one=1&two=2&three=&three=3.0.htm
rhupq_n:      org.example.königsgäßchen/index.0.html
rhupq_n:      org.example.ですの.ジャジェメント/испытание/is/index.0.htm
rhupq_n:      ==
rhupq_n:      ==
rhupq_tn:     org.example/index.1970-01-01_001640000_0.htm
rhupq_tn:     ==
rhupq_tn:     org.example/index.1970-01-01_001640000_0.html
rhupq_tn:     org.example/media/index.1970-01-01_001640000_0.htm
rhupq_tn:     ==
rhupq_tn:     org.example/view/index?one=1&two=2&three=&three=3.1970-01-01_001640000_0.htm
rhupq_tn:     org.example.königsgäßchen/index.1970-01-01_001640000_0.html
rhupq_tn:     org.example.ですの.ジャジェメント/испытание/is/index.1970-01-01_001640000_0.htm
rhupq_tn:     ==
rhupq_tn:     ==
rhupq_msn:    org.example/index.GET_C200C_0.htm
rhupq_msn:    ==
rhupq_msn:    org.example/index.GET_C200C_0.html
rhupq_msn:    org.example/media/index.GET_C200C_0.htm
rhupq_msn:    ==
rhupq_msn:    org.example/view/index?one=1&two=2&three=&three=3.GET_C200C_0.htm
rhupq_msn:    org.example.königsgäßchen/index.GET_C200C_0.html
rhupq_msn:    org.example.ですの.ジャジェメント/испытание/is/index.GET_C200C_0.htm
rhupq_msn:    ==
rhupq_msn:    ==
rhupq_mstn:   org.example/index.GET_C200C_1970-01-01_001640000_0.htm
rhupq_mstn:   ==
rhupq_mstn:   org.example/index.GET_C200C_1970-01-01_001640000_0.html
rhupq_mstn:   org.example/media/index.GET_C200C_1970-01-01_001640000_0.htm
rhupq_mstn:   ==
rhupq_mstn:   org.example/view/index?one=1&two=2&three=&three=3.GET_C200C_1970-01-01_001640000_0.htm
rhupq_mstn:   org.example.königsgäßchen/index.GET_C200C_1970-01-01_001640000_0.html
rhupq_mstn:   org.example.ですの.ジャジェメント/испытание/is/index.GET_C200C_1970-01-01_001640000_0.htm
rhupq_mstn:   ==
rhupq_mstn:   ==
rhupnq:       org.example/index.htm
rhupnq:       ==
rhupnq:       org.example/index.html
rhupnq:       org.example/media/index.htm
rhupnq:       ==
rhupnq:       org.example/view/index?one=1&two=2&three=3.htm
rhupnq:       org.example.königsgäßchen/index.html
rhupnq:       org.example.ですの.ジャジェメント/испытание/is/index.htm
rhupnq:       ==
rhupnq:       ==
rhupnq_n:     org.example/index.0.htm
rhupnq_n:     ==
rhupnq_n:     org.example/index.0.html
rhupnq_n:     org.example/media/index.0.htm
rhupnq_n:     ==
rhupnq_n:     org.example/view/index?one=1&two=2&three=3.0.htm
rhupnq_n:     org.example.königsgäßchen/index.0.html
rhupnq_n:     org.example.ですの.ジャジェメント/испытание/is/index.0.htm
rhupnq_n:     ==
rhupnq_n:     ==
rhupnq_tn:    org.example/index.1970-01-01_001640000_0.htm
rhupnq_tn:    ==
rhupnq_tn:    org.example/index.1970-01-01_001640000_0.html
rhupnq_tn:    org.example/media/index.1970-01-01_001640000_0.htm
rhupnq_tn:    ==
rhupnq_tn:    org.example/view/index?one=1&two=2&three=3.1970-01-01_001640000_0.htm
rhupnq_tn:    org.example.königsgäßchen/index.1970-01-01_001640000_0.html
rhupnq_tn:    org.example.ですの.ジャジェメント/испытание/is/index.1970-01-01_001640000_0.htm
rhupnq_tn:    ==
rhupnq_tn:    ==
rhupnq_msn:   org.example/index.GET_C200C_0.htm
rhupnq_msn:   ==
rhupnq_msn:   org.example/index.GET_C200C_0.html
rhupnq_msn:   org.example/media/index.GET_C200C_0.htm
rhupnq_msn:   ==
rhupnq_msn:   org.example/view/index?one=1&two=2&three=3.GET_C200C_0.htm
rhupnq_msn:   org.example.königsgäßchen/index.GET_C200C_0.html
rhupnq_msn:   org.example.ですの.ジャジェメント/испытание/is/index.GET_C200C_0.htm
rhupnq_msn:   ==
rhupnq_msn:   ==
rhupnq_mstn:  org.example/index.GET_C200C_1970-01-01_001640000_0.htm
rhupnq_mstn:  ==
rhupnq_mstn:  org.example/index.GET_C200C_1970-01-01_001640000_0.html
rhupnq_mstn:  org.example/media/index.GET_C200C_1970-01-01_001640000_0.htm
rhupnq_mstn:  ==
rhupnq_mstn:  org.example/view/index?one=1&two=2&three=3.GET_C200C_1970-01-01_001640000_0.htm
rhupnq_mstn:  org.example.königsgäßchen/index.GET_C200C_1970-01-01_001640000_0.html
rhupnq_mstn:  org.example.ですの.ジャジェメント/испытание/is/index.GET_C200C_1970-01-01_001640000_0.htm
rhupnq_mstn:  ==
rhupnq_mstn:  ==
rhupnq_mhs:   org.example/index.GET_8198_C200C.htm
rhupnq_mhs:   ==
rhupnq_mhs:   org.example/index.GET_f0dc_C200C.html
rhupnq_mhs:   org.example/media/index.GET_086d_C200C.htm
rhupnq_mhs:   org.example/media/index.GET_3fbb_C200C.htm
rhupnq_mhs:   org.example/view/index?one=1&two=2&three=3.GET_5658_C200C.htm
rhupnq_mhs:   org.example.königsgäßchen/index.GET_4f11_C200C.html
rhupnq_mhs:   org.example.ですの.ジャジェメント/испытание/is/index.GET_c4ae_C200C.htm
rhupnq_mhs:   ==
rhupnq_mhs:   ==
rhupnq_mhsn:  org.example/index.GET_8198_C200C_0.htm
rhupnq_mhsn:  ==
rhupnq_mhsn:  org.example/index.GET_f0dc_C200C_0.html
rhupnq_mhsn:  org.example/media/index.GET_086d_C200C_0.htm
rhupnq_mhsn:  org.example/media/index.GET_3fbb_C200C_0.htm
rhupnq_mhsn:  org.example/view/index?one=1&two=2&three=3.GET_5658_C200C_0.htm
rhupnq_mhsn:  org.example.königsgäßchen/index.GET_4f11_C200C_0.html
rhupnq_mhsn:  org.example.ですの.ジャジェメント/испытание/is/index.GET_c4ae_C200C_0.htm
rhupnq_mhsn:  ==
rhupnq_mhsn:  ==
rhupnq_mhstn: org.example/index.GET_8198_C200C_1970-01-01_001640000_0.htm
rhupnq_mhstn: ==
rhupnq_mhstn: org.example/index.GET_f0dc_C200C_1970-01-01_001640000_0.html
rhupnq_mhstn: org.example/media/index.GET_086d_C200C_1970-01-01_001640000_0.htm
rhupnq_mhstn: org.example/media/index.GET_3fbb_C200C_1970-01-01_001640000_0.htm
rhupnq_mhstn: org.example/view/index?one=1&two=2&three=3.GET_5658_C200C_1970-01-01_001640000_0.htm
rhupnq_mhstn: org.example.königsgäßchen/index.GET_4f11_C200C_1970-01-01_001640000_0.html
rhupnq_mhstn: org.example.ですの.ジャジェメント/испытание/is/index.GET_c4ae_C200C_1970-01-01_001640000_0.htm
rhupnq_mhstn: ==
rhupnq_mhstn: ==
flat:         example.org/index.htm
flat:         ==
flat:         example.org/index.html
flat:         example.org/media__index.htm
flat:         ==
flat:         example.org/view__index?one=1&two=2&three=3.htm
flat:         königsgäßchen.example.org/index.html
flat:         ジャジェメント.ですの.example.org/испытание__is__index.htm
flat:         ==
flat:         ==
flat_n:       example.org/index.0.htm
flat_n:       ==
flat_n:       example.org/index.0.html
flat_n:       example.org/media__index.0.htm
flat_n:       ==
flat_n:       example.org/view__index?one=1&two=2&three=3.0.htm
flat_n:       königsgäßchen.example.org/index.0.html
flat_n:       ジャジェメント.ですの.example.org/испытание__is__index.0.htm
flat_n:       ==
flat_n:       ==
flat_tn:      example.org/index.1970-01-01_001640000_0.htm
flat_tn:      ==
flat_tn:      example.org/index.1970-01-01_001640000_0.html
flat_tn:      example.org/media__index.1970-01-01_001640000_0.htm
flat_tn:      ==
flat_tn:      example.org/view__index?one=1&two=2&three=3.1970-01-01_001640000_0.htm
flat_tn:      königsgäßchen.example.org/index.1970-01-01_001640000_0.html
flat_tn:      ジャジェメント.ですの.example.org/испытание__is__index.1970-01-01_001640000_0.htm
flat_tn:      ==
flat_tn:      ==
flat_ms:      example.org/index.GET_C200C.htm
flat_ms:      ==
flat_ms:      example.org/index.GET_C200C.html
flat_ms:      example.org/media__index.GET_C200C.htm
flat_ms:      ==
flat_ms:      example.org/view__index?one=1&two=2&three=3.GET_C200C.htm
flat_ms:      königsgäßchen.example.org/index.GET_C200C.html
flat_ms:      ジャジェメント.ですの.example.org/испытание__is__index.GET_C200C.htm
flat_ms:      ==
flat_ms:      ==
flat_msn:     example.org/index.GET_C200C_0.htm
flat_msn:     ==
flat_msn:     example.org/index.GET_C200C_0.html
flat_msn:     example.org/media__index.GET_C200C_0.htm
flat_msn:     ==
flat_msn:     example.org/view__index?one=1&two=2&three=3.GET_C200C_0.htm
flat_msn:     königsgäßchen.example.org/index.GET_C200C_0.html
flat_msn:     ジャジェメント.ですの.example.org/испытание__is__index.GET_C200C_0.htm
flat_msn:     ==
flat_msn:     ==
flat_mstn:    example.org/index.GET_C200C_1970-01-01_001640000_0.htm
flat_mstn:    ==
flat_mstn:    example.org/index.GET_C200C_1970-01-01_001640000_0.html
flat_mstn:    example.org/media__index.GET_C200C_1970-01-01_001640000_0.htm
flat_mstn:    ==
flat_mstn:    example.org/view__index?one=1&two=2&three=3.GET_C200C_1970-01-01_001640000_0.htm
flat_mstn:    königsgäßchen.example.org/index.GET_C200C_1970-01-01_001640000_0.html
flat_mstn:    ジャジェメント.ですの.example.org/испытание__is__index.GET_C200C_1970-01-01_001640000_0.htm
flat_mstn:    ==
flat_mstn:    ==
flat_mhs:     example.org/index.GET_8198_C200C.htm
flat_mhs:     ==
flat_mhs:     example.org/index.GET_f0dc_C200C.html
flat_mhs:     example.org/media__index.GET_086d_C200C.htm
flat_mhs:     example.org/media__index.GET_3fbb_C200C.htm
flat_mhs:     example.org/view__index?one=1&two=2&three=3.GET_5658_C200C.htm
flat_mhs:     königsgäßchen.example.org/index.GET_4f11_C200C.html
flat_mhs:     ジャジェメント.ですの.example.org/испытание__is__index.GET_c4ae_C200C.htm
flat_mhs:     ==
flat_mhs:     ==
flat_mhsn:    example.org/index.GET_8198_C200C_0.htm
flat_mhsn:    ==
flat_mhsn:    example.org/index.GET_f0dc_C200C_0.html
flat_mhsn:    example.org/media__index.GET_086d_C200C_0.htm
flat_mhsn:    example.org/media__index.GET_3fbb_C200C_0.htm
flat_mhsn:    example.org/view__index?one=1&two=2&three=3.GET_5658_C200C_0.htm
flat_mhsn:    königsgäßchen.example.org/index.GET_4f11_C200C_0.html
flat_mhsn:    ジャジェメント.ですの.example.org/испытание__is__index.GET_c4ae_C200C_0.htm
flat_mhsn:    ==
flat_mhsn:    ==
flat_mhstn:   example.org/index.GET_8198_C200C_1970-01-01_001640000_0.htm
flat_mhstn:   ==
flat_mhstn:   example.org/index.GET_f0dc_C200C_1970-01-01_001640000_0.html
flat_mhstn:   example.org/media__index.GET_086d_C200C_1970-01-01_001640000_0.htm
flat_mhstn:   example.org/media__index.GET_3fbb_C200C_1970-01-01_001640000_0.htm
flat_mhstn:   example.org/view__index?one=1&two=2&three=3.GET_5658_C200C_1970-01-01_001640000_0.htm
flat_mhstn:   königsgäßchen.example.org/index.GET_4f11_C200C_1970-01-01_001640000_0.html
flat_mhstn:   ジャジェメント.ですの.example.org/испытание__is__index.GET_c4ae_C200C_1970-01-01_001640000_0.htm
flat_mhstn:   ==
flat_mhstn:   ==
"""
    # print("\n" + "\n".join(res))
    pl = pristine.strip().split("\n")
    assert len(pl) == len(res)
    for i, b in enumerate(res):
        a = pl[i]
        if a != b:
            raise CatastrophicFailure("expected `%s`, got `%s`", a, b)
not_allowed = "; this is not allowed to prevent accidental data loss"
variance_help = (
    "; your `--output` format fails to provide enough variance to solve this problem automatically (did your forget to place a `%(num)d` substitution in there?)"
    + not_allowed
)
class DeferredOperation(_t.Generic[DeferredSourceType, _t.AnyStr]):
    """A deferred `source` -> `destination` operation with updatable `source`.
    This exists to help you to eliminatate away repeated `os.rename`,
    `os.symlink`, etc calls to the same `destination` and to help
    implementing disk writes batching.
    """
    source: DeferredSourceType
    destination: _t.AnyStr
    def __init__(
        self,
        source: DeferredSourceType,
        destination: _t.AnyStr,
        overwrite: bool,
        allow_updates: bool,
    ) -> None:
        self.source = source
        self.destination = destination
        self.overwrite = overwrite
        self.allow_updates = allow_updates
        self.updated = False
    def approx_size(self) -> int:
        return 48
    def switch_source(self, new_source: DeferredSourceType, force: bool = False) -> bool:
        """Switch source of this operation.
        Returns `True` if this change was permitted.
        """
        if not force:
            old_source = self.source
            if (
                not new_source.replaces(old_source)
                or new_source.same_as(old_source)
                or new_source.get_bytes() == old_source.get_bytes()
            ):
                return True
        if not self.allow_updates:
            # updates are not allowed
            return False
        # update
        self.source = new_source
        self.updated = True
        return True
    def run(self, sync: DeferredSync[_t.AnyStr] | bool = True) -> None:
        """Write the `source` to `destination`."""
        raise NotImplementedError()
def handle_ENAMETOOLONG(exc: OSError, name: str | bytes) -> None:
    if exc.errno == _errno.ENAMETOOLONG:
        raise Failure(
            "target file system rejects `%s` as too long: either one of the path components is longer than the maximum allowed file name on the target file system or the whole thing is longer than kernel MAX_PATH",
            name,
        ) from exc
class DeferredFileWrite(
    DeferredOperation[DeferredSourceType, _t.AnyStr], _t.Generic[DeferredSourceType, _t.AnyStr]
):
    def approx_size(self) -> int:
        return super().approx_size() + len(self.destination)
    def run(self, sync: DeferredSync[_t.AnyStr] | bool = True) -> None:
        data = self.source.get_bytes()
        if self.updated and file_data_equals(self.destination, data):
            # nothing to do
            return
        atomic_write(data, self.destination, self.overwrite or self.allow_updates, sync=sync)
def make_deferred_emit(
    cargs: _t.Any,
    destination: _t.AnyStr,
    output_format: _t.AnyStr,
    actioning: str,
    defer: _t.Callable[
        [ReqresExpr[DeferredSourceType], _t.AnyStr, bool, bool],
        DeferredOperation[ReqresExpr[DeferredSourceType], _t.AnyStr],
    ],
    allow_updates: bool,
    moving: bool = False,
    symlinking: bool = False,
) -> tuple[_t.Callable[[ReqresExpr[DeferredSourceType]], None], _t.Callable[[], None]]:
    terminator: bytes | None = cargs.terminator if cargs.dry_run is not None else None
    # for each `--output` value, how many times it was seen
    seen_counter: SeenCounter[_t.AnyStr] = SeenCounter()
    # ReqresExpr cache indexed by destination path, this exists mainly
    # to minimize the number of calls to `stat`.
    rrexpr_cache: _c.OrderedDict[_t.AnyStr, ReqresExpr[DeferredSourceType]] = _c.OrderedDict()
    # Deferred IO operations (aka "intents") that are yet to be executed,
    # indexed by filesystem paths. This is used both as a queue and as an
    # LRU-cache so that, e.g. repeated updates to the same output file would be
    # computed in memory.
    deferred: _c.OrderedDict[
        _t.AnyStr, DeferredOperation[ReqresExpr[DeferredSourceType], _t.AnyStr]
    ] = _c.OrderedDict()
    # Deferred file system updates. This collects references to everything
    # that should be fsynced to disk before proceeding to make flush_updates
    # below both atomic and efficient.
    sync: DeferredSync[_t.AnyStr] = DeferredSync(True)
    max_memory_mib = cargs.max_memory * 1024 * 1024
    def flush_updates(final: bool) -> None:
        """Flush some of the queue."""
        max_deferred: int = cargs.max_deferred if not final else 0
        max_memory: int = max_memory_mib if not final else 0
        max_seen: int = cargs.max_seen
        max_cached: int = cargs.max_cached
        max_batched: int = cargs.max_batched
        num_deferred = len(deferred)
        num_cached = len(rrexpr_cache)
        num_seen = len(seen_counter)
        if (
            num_deferred <= max_deferred
            and num_cached <= max_cached
            and num_seen <= max_seen
            and mem.consumption <= max_memory
        ):
            return
        done_files: list[_t.AnyStr] | None = None
        if terminator is not None:
            done_files = []
        def run_intent(
            abs_out_path: _t.AnyStr,
            intent: DeferredOperation[ReqresExpr[DeferredSourceType], _t.AnyStr],
        ) -> None:
            mem.consumption -= intent.approx_size() + len(abs_out_path)
            rrexpr = intent.source
            if not cargs.quiet:
                if cargs.dry_run:
                    ing = gettext(f"dry-run: (not) {actioning}")
                else:
                    ing = gettext(actioning)
                stderr.write_str(ing)
                stderr.write_str(": `")
                stderr.write(rrexpr.show_source())
                stderr.write_str("` -> `")
                stderr.write(abs_out_path)
                stderr.write_str_ln("`")
                stderr.flush()
            try:
                if not cargs.dry_run:
                    intent.run(sync)
            except Failure as exc:
                if cargs.errors == "ignore":
                    return
                exc.elaborate(
                    f"while {actioning} `%s` -> `%s`",
                    rrexpr.show_source(),
                    fsdecode(abs_out_path),
                )
                if cargs.errors != "fail":
                    _logging.error("%s", exc.get_message(gettext))
                    return
                # raise CatastrophicFailure so that load_map_orderly wouldn't try handling it
                raise CatastrophicFailure(exc) from exc
            if done_files is not None:
                done_files.append(abs_out_path)
            old_rrexpr = rrexpr_cache.pop(abs_out_path, None)
            if old_rrexpr is not None:
                mem.consumption -= len(abs_out_path)
            rrexpr_cache[abs_out_path] = rrexpr
            mem.consumption += len(abs_out_path)
        # flush seen cache
        while num_seen > 0 and (num_seen > max_seen or mem.consumption > max_memory):
            abs_out_path, _ = seen_counter.pop()
            num_seen -= 1
            # if we are over the `--seen-number` not only we must forget
            # about older files, we must also run all operations on the paths
            # we are eliminating so that later deferredIO could pick up newly
            # created files and number them properly
            intent = deferred.pop(abs_out_path, None)
            if intent is None:
                continue
            run_intent(abs_out_path, intent)
            num_deferred -= 1
            del intent
        if (
            not final
            and num_deferred <= max_deferred + max_batched
            and mem.consumption <= max_memory
        ):
            # we have enough resources to delay some more deferredIO, let's do
            # so, so that when we finally hit our resource limits, we would
            # execute max_batched or more deferred actions at once. this
            # improves IO performance by a lot
            max_deferred += max_batched
        # flush deferred
        while num_deferred > 0 and (num_deferred > max_deferred or mem.consumption > max_memory):
            abs_out_path, intent = deferred.popitem(False)
            run_intent(abs_out_path, intent)
            num_deferred -= 1
        # fsync everything
        sync.flush()
        # report to stdout
        if terminator is not None and done_files is not None:
            for abs_out_path in done_files:
                stdout.write(abs_out_path)
                stdout.write_bytes(terminator)
            stdout.flush()
            fsync_maybe(stdout.fobj.fileno())
        # flush rrexpr_cache
        while num_cached > 0 and (num_cached > max_cached or mem.consumption > max_memory):
            abs_out_path, _source = rrexpr_cache.popitem(False)
            num_cached -= 1
            mem.consumption -= len(abs_out_path)
    def finish_updates() -> None:
        """Flush all of the queue."""
        flush_updates(True)
        assert mem.consumption == 0
    def load_defer(
        prev_rrexpr: ReqresExpr[DeferredSourceType] | None,
        new_rrexpr: ReqresExpr[DeferredSourceType],
        abs_out_path: _t.AnyStr,
    ) -> tuple[
        bool,
        ReqresExpr[DeferredSourceType] | None,
        DeferredOperation[ReqresExpr[DeferredSourceType], _t.AnyStr] | None,
    ]:
        new_source = new_rrexpr.source
        if isinstance(new_source, FileSource) and new_source.path == abs_out_path:
            # hot evaluation path: moving, copying, hardlinking, symlinking, etc to itself
            # this is a noop
            return True, prev_rrexpr, None
        old_rrexpr: ReqresExpr[_t.Any]
        if prev_rrexpr is None:
            try:
                out_lstat = _os.lstat(abs_out_path)
            except FileNotFoundError:
                # target does not exists
                return True, new_rrexpr, defer(new_rrexpr, abs_out_path, False, allow_updates)
            except OSError as exc:
                handle_ENAMETOOLONG(exc, abs_out_path)
                raise
            if _stat.S_ISLNK(out_lstat.st_mode):
                # abs_out_path is a symlink
                try:
                    # check symlink target is reachable
                    out_stat = _os.stat(abs_out_path)
                except FileNotFoundError:
                    # target is a broken symlink
                    return (
                        True,
                        new_rrexpr,
                        defer(new_rrexpr, abs_out_path, True, allow_updates),
                    )
                if not allow_updates and not symlinking:
                    raise Failure("destination exists and is a symlink" + not_allowed)
                # get symlink target and use it as abs_out_path, thus
                # (SETSRC) below will re-create the original source
                abs_in_path = _os.path.realpath(abs_out_path)
                if isinstance(new_source, FileSource) and new_source.path == abs_out_path:
                    # similarly to the above
                    return True, prev_rrexpr, None
            elif not allow_updates and symlinking:
                raise Failure("destination exists and is not a symlink" + not_allowed)
            else:
                out_stat = out_lstat
                abs_in_path = abs_out_path
            # (SETSRC)
            old_rrexpr = rrexpr_wrr_loadf(abs_in_path, out_stat)
            old_rrexpr.sniff = cargs.sniff
        else:
            old_rrexpr = prev_rrexpr
        intent = defer(old_rrexpr, abs_out_path, False, allow_updates)
        permitted = intent.switch_source(new_rrexpr, moving)
        return permitted, intent.source, (intent if intent.source is not old_rrexpr else None)
    def emit(new_rrexpr: ReqresExpr[DeferredSourceType]) -> None:
        raise_first_delayed_signal()
        new_rrexpr.values["num"] = 0
        def_out_path = output_format % new_rrexpr
        prev_rel_out_path = None
        while True:
            new_rrexpr.values["num"] = seen_counter.count(def_out_path)
            if isinstance(destination, str):
                rel_out_path = _os.path.join(destination, output_format % new_rrexpr)
            else:
                rel_out_path = _os.path.join(destination, _os.fsencode(output_format % new_rrexpr))
            abs_out_path: _t.AnyStr = _os.path.abspath(rel_out_path)
            old_rrexpr: ReqresExpr[DeferredSourceType] | None
            old_rrexpr = rrexpr_cache.pop(abs_out_path, None)
            if old_rrexpr is not None:
                mem.consumption -= len(abs_out_path)
            updated_rrexpr: ReqresExpr[DeferredSourceType] | None
            intent: DeferredOperation[ReqresExpr[DeferredSourceType], _t.AnyStr] | None
            intent = deferred.pop(abs_out_path, None)
            if intent is None:
                try:
                    permitted, updated_rrexpr, intent = load_defer(
                        old_rrexpr, new_rrexpr, abs_out_path
                    )
                except Failure as exc:
                    raise exc.elaborate(
                        f"while {actioning} `%s` -> `%s`",
                        new_rrexpr.show_source(),
                        fsdecode(abs_out_path),
                    )
                if updated_rrexpr is not None:
                    updated_rrexpr.unload()
            else:
                mem.consumption -= intent.approx_size() + len(abs_out_path)
                permitted = intent.switch_source(new_rrexpr, moving)  # (switchSource)
                updated_rrexpr = intent.source
            del old_rrexpr
            if intent is not None:
                deferred[abs_out_path] = intent
                mem.consumption += intent.approx_size() + len(abs_out_path)
            if updated_rrexpr is not None:
                rrexpr_cache[abs_out_path] = updated_rrexpr
                mem.consumption += len(abs_out_path)
            if not permitted:
                if prev_rel_out_path == rel_out_path:
                    raise Failure("destination already exists" + variance_help).elaborate(
                        f"while {actioning} `%s` -> `%s`",
                        new_rrexpr.show_source(),
                        fsdecode(abs_out_path),
                    )
                prev_rel_out_path = rel_out_path
                continue
            if intent is None:
                # noop
                if terminator is not None:
                    stdout.write(abs_out_path)
                    stdout.write_bytes(terminator)
            break
        if not cargs.lazy:
            flush_updates(False)
    return emit, finish_updates
def make_organize_emit(
    cargs: _t.Any, destination: _t.AnyStr, output_format: _t.AnyStr, allow_updates: bool
) -> tuple[_t.Callable[[ReqresExpr[DeferredSourceType]], None], _t.Callable[[], None]]:
    action_op: _t.Any
    action = cargs.action
    if allow_updates:
        actioning = "updating " + action
    else:
        actioning = action + "ing"
    moving = False
    copying = False
    symlinking = False
    check_data = True
    if action == "move":
        if allow_updates:
            raise Failure(
                "`--move` and `--latest` are not allowed together, it will lose your data"
            )
        actioning = "moving"
        action_op = atomic_move
        moving = True
    elif action == "copy":
        if allow_updates:
            raise Failure(
                "`--copy` and `--latest` are not allowed together at the moment, it could lose your data"
            )
        action_op = atomic_copy2
        copying = True
    elif action == "hardlink":
        if allow_updates:
            raise Failure(
                "`--hardlink` and `--latest` are not allowed together at the moment, it could lose your data"
            )
        action_op = atomic_link
    elif action == "symlink":
        action_op = atomic_symlink
        check_data = False
        symlinking = True
    else:
        assert False
    # becase we can't explicitly reuse the type variables bound by the whole function above
    DeferredSourceType2 = _t.TypeVar("DeferredSourceType2", bound=DeferredSource)
    AnyStr2 = _t.TypeVar("AnyStr2", str, bytes)
    class DeferredOrganize(
        DeferredFileWrite[ReqresExpr[DeferredSourceType2], AnyStr2],
        _t.Generic[DeferredSourceType2, AnyStr2],
    ):
        def switch_source(
            self, new_rrexpr: ReqresExpr[DeferredSourceType2], force: bool = False
        ) -> bool:
            old_rrexpr = self.source
            old_source = old_rrexpr.source
            new_source = new_rrexpr.source
            if not force:
                if (
                    not new_source.replaces(old_source)
                    or new_source.same_as(old_source)
                    or check_data
                    and new_rrexpr.get_bytes() == old_rrexpr.get_bytes()
                ):
                    # noop
                    return True
            if not self.allow_updates:
                # updates are not allowed
                return False
            if old_rrexpr.stime > new_rrexpr.stime:
                # ours is newer
                return True
            # update
            self.source = new_rrexpr
            self.updated = True
            return True
        def run(self, sync: DeferredSync[AnyStr2] | bool = True) -> None:
            rrexpr = self.source
            source = rrexpr.source
            if isinstance(source, FileSource) and source.path == self.destination:
                # noop, this could happen after (switchSource)
                return
            try:
                if isinstance(source, FileSource):
                    action_op(
                        source.path,
                        self.destination,
                        self.overwrite or self.allow_updates,
                        sync=sync,
                    )
                elif copying:
                    # fallback to DeferredFileWrite in this case
                    super().run(sync)  # type: ignore
                else:
                    raise Failure(
                        f"can't {action} the source to the destination because the source is not stored as a separate WRR file; did you mean to run with `--copy` intead of `--{action}`?"
                    )
            except FileExistsError as exc:
                raise Failure("`%s` already exists", self.destination) from exc
            except OSError as exc:
                handle_ENAMETOOLONG(exc, self.destination)
                if exc.errno == _errno.EXDEV:
                    raise Failure(f"can't {action} across file systems") from exc
                raise
    return make_deferred_emit(
        cargs,
        destination,
        output_format,
        actioning,
        DeferredOrganize,
        allow_updates,
        moving,
        symlinking,
    )
def cmd_organize(cargs: _t.Any) -> None:
    if cargs.walk_paths == "unset":
        cargs.walk_paths = WalkOrder.REVERSE if cargs.allow_updates else WalkOrder.NONE
    if cargs.walk_fs == "unset":
        cargs.walk_fs = WalkOrder.REVERSE if cargs.allow_updates else WalkOrder.SORT
    output_format = elaborate_output("--output", output_alias, cargs.output) + ".wrr"
    _num, filters_allow, filters_warn = compile_filters(cargs)
    rrexprs_load = mk_rrexprs_load(cargs)
    handle_paths(cargs)
    emit: EmitFunc[ReqresExpr[FileSource]]
    if cargs.destination is not None:
        # destination is set explicitly
        emit, finish = make_organize_emit(
            cargs, _os.path.expanduser(cargs.destination), output_format, cargs.allow_updates
        )
        try:
            map_wrr_paths(cargs, rrexprs_load, filters_allow, emit, cargs.paths)
        finally:
            finish()
    else:
        if cargs.allow_updates:
            raise Failure("`--latest` without `--to` is not allowed")
        # each path is its own destination
        for exp_path in cargs.paths:
            try:
                path_stat = _os.stat(exp_path)
            except FileNotFoundError as exc:
                raise Failure("`%s` does not exist", exp_path) from exc
            if not _stat.S_ISDIR(path_stat.st_mode):
                raise Failure("`%s` is not a directory but no `--to` is specified", exp_path)
        for exp_path in cargs.paths:
            emit, finish = make_organize_emit(cargs, exp_path, output_format, False)
            try:
                map_wrr_paths(cargs, rrexprs_load, filters_allow, emit, [exp_path])
            finally:
                finish()
    filters_warn()
def cmd_import_generic(
    cargs: _t.Any,
    rrexprs_loadf: _t.Callable[[str | bytes], _t.Iterator[ReqresExpr[DeferredSourceType]]],
) -> None:
    output_format = elaborate_output("--output", output_alias, cargs.output) + ".wrr"
    _num, filters_allow, filters_warn = compile_filters(cargs)
    handle_paths(cargs)
    emit: EmitFunc[ReqresExpr[DeferredSourceType]]
    emit, finish = make_deferred_emit(
        cargs,
        cargs.destination,
        output_format,
        "importing",
        DeferredFileWrite,
        cargs.allow_updates,
    )
    try:
        map_wrr_paths(cargs, rrexprs_loadf, filters_allow, emit, cargs.paths)
    finally:
        finish()
    filters_warn()
def cmd_import_bundle(cargs: _t.Any) -> None:
    cmd_import_generic(cargs, rrexprs_wrr_bundle_loadf)
def cmd_import_mitmproxy(cargs: _t.Any) -> None:
    from .mitmproxy import rrexprs_mitmproxy_loadf
    cmd_import_generic(cargs, rrexprs_mitmproxy_loadf)
def path_to_url(x: str) -> str:
    return x.replace("?", "%3F")
definitive_response_codes = frozenset([200, 204, 300, 404, 410])
redirect_response_codes = frozenset([301, 302, 303, 307, 308])
IndexedReqres = tuple[Timestamp, ReqresExpr[_t.Any]]
def complete_response(indexed: IndexedReqres) -> bool:
    response = indexed[1].reqres.response
    return response is not None and response.complete
def normal_document(indexed: IndexedReqres) -> bool:
    return complete_response(indexed) and indexed[1].reqres.request.method in ["GET", "DOM"]
def cmd_mirror(cargs: _t.Any) -> None:
    if len(cargs.exprs) == 0:
        cargs.exprs = [compile_expr(default_expr("mirror", cargs.default_expr))]
    output_format = elaborate_output("--output", output_alias, cargs.output)
    destination = _os.path.expanduser(cargs.destination)
    content_output_format = elaborate_output(
        "--content-output", content_output_alias, cargs.content_output
    )
    if cargs.content_destination is not None:
        content_destination = _os.path.expanduser(cargs.content_destination)
    else:
        content_destination = destination
    action_op: _t.Any
    action = cargs.content_action
    copying = False
    if action == "copy":
        copying = True
    elif action == "hardlink":
        action_op = atomic_link
    elif action == "symlink":
        action_op = atomic_symlink
    else:
        assert False
    if cargs.absolute is None:
        relative = action != "symlink"
    else:
        relative = not cargs.absolute
    allow_updates = cargs.allow_updates is True
    skip_existing = cargs.allow_updates == "partial"
    singletons: bool
    nearest: Timestamp | None
    singletons, nearest = cargs.mode
    PathType: _t.TypeAlias = str
    seen_counter: SeenCounter[PathType] = SeenCounter()
    RequestIDType: _t.TypeAlias = bytes
    PageIDType = tuple[Timestamp, RequestIDType]
    RequestOrPageIDType = RequestIDType | PageIDType
    def get_request_id(net_url: URLType, rrexpr: ReqresExpr[_t.Any]) -> RequestIDType:
        request = rrexpr.reqres.request
        body = request.body or b""
        body_ = body if isinstance(body, bytes) else body.encode("utf-8")
        return f"{request.method} {net_url} ".encode("utf-8") + _hashlib.sha256(body_).digest()
    committed: dict[int, PathType] = {}
    done: dict[int, PathType | None] = {}
    def get_rel_out_path(rrexpr: ReqresExpr[_t.Any]) -> PathType:
        try:
            return committed[id(rrexpr)]
        except KeyError:
            rrexpr.values["num"] = 0
            def_out_path = output_format % rrexpr
            rrexpr.values["num"] = seen_counter.count(def_out_path)
            committed[id(rrexpr)] = rel_out_path = _os.path.join(
                destination, output_format % rrexpr
            )
            mem.consumption += 8 + len(rel_out_path)
            return rel_out_path
    if cargs.default_input_filters:
        cargs.status_re += [default_input_status_re]
    _num, filters_allow, filters_warn = compile_filters(cargs)
    if cargs.default_root_filters:
        cargs.root_status_re += [default_root_status_re]
    _root_filters_num, root_filters_allow, root_filters_warn = compile_filters(cargs, "root_")
    max_depth: int = cargs.depth
    max_memory_mib = cargs.max_memory * 1024 * 1024
    index: SortedIndex[URLType, Timestamp, IndexedReqres] = SortedIndex(
        key_key=identity, value_key=fst, ideal=nearest if singletons else None
    )
    Queue = _c.OrderedDict[RequestOrPageIDType, IndexedReqres]
    queue: Queue = _c.OrderedDict()
    if stdout.isatty():
        stdout.write_bytes(b"\033[32m")
    stdout.write_str_ln(gettext("loading input `PATH`s..."))
    if stdout.isatty():
        stdout.write_bytes(b"\033[0m")
    stdout.flush()
    def report_queued(
        stime: Timestamp,
        net_url: URLType,
        pretty_net_url: URLType,
        source: DeferredSourceType,
        level: int,
        old_stime: Timestamp | None = None,
    ) -> None:
        if stdout.isatty():
            stdout.write_bytes(b"\033[33m")
        durl = net_url if pretty_net_url == net_url else f"{net_url} ({pretty_net_url})"
        ispace = " " * (2 * level)
        if old_stime is None:
            stdout.write_str_ln(
                ispace
                + gettext("queued [%s] %s from %s")
                % (stime.format(precision=3), durl, source.show_source())
            )
        else:
            stdout.write_str_ln(
                ispace
                + gettext("requeued [%s] -> [%s] %s from %s")
                % (
                    old_stime.format(precision=3),
                    stime.format(precision=3),
                    durl,
                    source.show_source(),
                )
            )
        if stdout.isatty():
            stdout.write_bytes(b"\033[0m")
        stdout.flush()
    def collect(should_enqueue: bool) -> EmitFunc[ReqresExpr[DeferredSourceType]]:
        def emit(rrexpr: ReqresExpr[DeferredSourceType]) -> None:
            stime = rrexpr.stime
            net_url = rrexpr.net_url
            indexed = (stime, rrexpr)
            if not index.insert(net_url, indexed):
                return
            unqueued = True
            request_id = get_request_id(net_url, rrexpr)
            page_id: PageIDType = (stime, request_id)
            pid: RequestOrPageIDType
            if nearest is not None:
                for pid in (request_id, page_id):
                    qobj = queue.get(pid, None)
                    if qobj is not None:
                        qstime, _qrrexpr = qobj
                        if nearer_to_than(nearest, stime, qstime):
                            queue[pid] = indexed
                            report_queued(stime, net_url, rrexpr.pretty_net_url, rrexpr.source, 1, qstime)  # fmt: skip
                        unqueued = False
            if unqueued and should_enqueue and root_filters_allow(rrexpr):
                unqueued = False
                pid = request_id if nearest is not None else page_id
                #     ^ not `--all`                          ^ otherwise
                queue[pid] = indexed
                report_queued(stime, net_url, rrexpr.pretty_net_url, rrexpr.source, 1)  # fmt: skip
            if unqueued or mem.consumption > max_memory_mib:
                rrexpr.unload()
        return emit
    handle_paths(cargs)
    elaborate_paths(cargs.boring)
    rrexprs_load = mk_rrexprs_load(cargs)
    seen_paths: set[PathType] = set()
    map_wrr_paths(
        cargs, rrexprs_load, filters_allow, collect(True), cargs.paths, seen_paths=seen_paths
    )
    map_wrr_paths(
        cargs, rrexprs_load, filters_allow, collect(False), cargs.boring, seen_paths=seen_paths
    )
    indexed_num = index.size
    def remap_url_fallback(
        stime: Timestamp, purl: ParsedURL, expected_content_types: list[str]
    ) -> PathType:
        trrexpr = ReqresExpr(UnknownSource(), fallback_Reqres(purl, expected_content_types, stime))
        trrexpr.values["num"] = 0
        return _os.path.join(destination, output_format % trrexpr)
    class Mutable:
        n: int = 0
        doc_n: int = 0
        depth: int = 0
    def render(
        stime: Timestamp,
        net_url: URLType,
        rrexpr: ReqresExpr[DeferredSourceType],
        rel_out_path: PathType,
        enqueue: bool,
        new_queue: Queue,
        level: int,
    ) -> PathType | None:
        source = rrexpr.source
        level0 = level == 0
        Mutable.n += 1
        if level0:
            Mutable.doc_n += 1
        n = Mutable.n
        doc_n = Mutable.doc_n
        n100 = 100 * n
        n_total = n + len(new_queue) + len(queue)
        if stdout.isatty():
            if level0:
                stdout.write_bytes(b"\033[32m")
            else:
                stdout.write_bytes(b"\033[34m")
        ispace = " " * (2 * level)
        if level0:
            stdout.write_str_ln(
                gettext(
                    "mirroring input #%d, %.2f%% of %d queued (%.2f%% of %d indexed), document #%d, depth %d"
                )
                % (
                    n,
                    n100 / n_total,
                    n_total,
                    n100 / indexed_num,
                    indexed_num,
                    doc_n,
                    Mutable.depth,
                )
            )
        else:
            stdout.write_str_ln(
                ispace
                + gettext(
                    "mirroring requisite input #%d, %.2f%% of %d queued (%.2f%% of %d indexed)"
                )
                % (n, n100 / n_total, n_total, n100 / indexed_num, indexed_num)
            )
        stdout.write_str_ln(ispace + gettext("stime [%s]") % (stime.format(precision=3),))
        stdout.write_str_ln(ispace + gettext("net_url %s") % (net_url,))
        stdout.write_str_ln(ispace + gettext("src %s") % (source.show_source(),))
        if stdout.isatty():
            stdout.write_bytes(b"\033[0m")
        stdout.flush()
        def handle_warning(msg: str, *args: _t.Any) -> None:
            ispace = " " * (2 * (level + 1))
            printf_err(ispace + gettext(msg), *args, color=1)
        try:
            done[id(rrexpr)] = None  # (breakCycles)
            document_dir = _os.path.dirname(rel_out_path)
            def remap_url(
                unet_url: URLType,
                upurl: ParsedURL,
                link_type: LinkType,
                fallbacks: list[str] | None,
            ) -> URLType | None:
                raise_first_delayed_signal()
                is_requisite = link_type == LinkType.REQ
                ustime = stime if nearest is None or is_requisite else nearest
                upredicate = normal_document if link_type != LinkType.ACTION else complete_response
                uobj: IndexedReqres | None = None
                again = True
                while again:
                    again = False
                    for nobj in index.iter_nearest(unet_url, ustime, upredicate):
                        response = nobj[1].reqres.response
                        assert response is not None
                        code = response.code
                        if code in redirect_response_codes:
                            location = get_header_value(response.headers, "location", None)
                            if location is not None:
                                try:
                                    unet_url_ = _up.urljoin(unet_url, location)
                                    upurl_ = parse_url(unet_url_)
                                except ValueError:
                                    pass
                                else:
                                    # preserve the fragment
                                    upurl_.ofm = upurl.ofm
                                    upurl_.fragment = upurl.fragment
                                    # reset and redirect
                                    unet_url = unet_url_
                                    upurl = upurl_
                                    # try again
                                    again = True
                                    break
                        else:
                            uobj = nobj
                            break
                if uobj is None:
                    # unavailable
                    urel_out_path = None
                else:
                    ustime, urrexpr = uobj
                    urequest_id = get_request_id(unet_url, urrexpr)
                    upage_id = (ustime, urequest_id)
                    if is_requisite:
                        # use content_destination path here
                        try:
                            urel_out_path = done[id(urrexpr)]
                        except KeyError:
                            # unqueue it
                            for q in (new_queue, queue):
                                try:
                                    del q[upage_id]
                                except KeyError:
                                    pass
                                try:
                                    del q[urequest_id]
                                except KeyError:
                                    pass
                            # render it immediately
                            # NB: (breakCycles) breaks dependency cycles that can make this loop infinitely
                            urel_out_path = render(ustime, unet_url, urrexpr, get_rel_out_path(urrexpr), enqueue, new_queue, level + 1)  # fmt: skip
                            urrexpr.unload()
                    elif id(urrexpr) in done:
                        # nothing to do
                        urel_out_path = get_rel_out_path(urrexpr)
                        # NB: will be unloaded already
                    elif (
                        upage_id in new_queue
                        or upage_id in queue
                        or urequest_id in new_queue
                        or urequest_id in queue
                    ):
                        # nothing to do
                        urel_out_path = get_rel_out_path(urrexpr)
                        if mem.consumption > max_memory_mib:
                            urrexpr.unload()
                    elif enqueue:
                        urel_out_path = get_rel_out_path(urrexpr)
                        new_queue[upage_id] = uobj
                        report_queued(ustime, unet_url, upurl.pretty_net_url, urrexpr.source, level + 1)  # fmt: skip
                        if mem.consumption > max_memory_mib:
                            rrexpr.unload()
                    else:
                        # this will not be mirrored
                        urel_out_path = None
                        # NB: Not setting `committed[id(rrexpr)] = None` here
                        # because it might be a requisite for another
                        # page. In which case, when not running with
                        # `--remap-all`, this page will void this
                        # `unet_url` unnecessarily, yes.
                if urel_out_path is None:
                    if fallbacks is not None:
                        urel_out_path = remap_url_fallback(stime, upurl, fallbacks)
                    else:
                        return None
                if relative:
                    out_path = _os.path.relpath(urel_out_path, document_dir)
                else:
                    out_path = _os.path.abspath(urel_out_path)
                return path_to_url(out_path) + upurl.ofm + upurl.fragment
            rrexpr.remap_url = cached_remap_url(net_url, remap_url, handle_warning=handle_warning)
            old_data = read_file_maybe(rel_out_path)
            data: bytes
            if skip_existing and old_data is not None:
                data = old_data
                if stdout.isatty():
                    stdout.write_bytes(b"\033[33m")
                stdout.write_str_ln(
                    ispace
                    + gettext(
                        "reusing file content: destination exists and `--skip-existing` is set"
                    )
                )
                if stdout.isatty():
                    stdout.write_bytes(b"\033[0m")
            else:
                with TIOWrappedWriter(_io.BytesIO()) as f:
                    print_exprs(rrexpr, cargs.exprs, cargs.separator, f)
                    data = f.fobj.getvalue()
            try:
                if copying:
                    real_out_path = rel_out_path
                    if old_data != data:
                        atomic_write(data, rel_out_path, allow_updates)
                else:
                    rrexpr.values["content"] = data
                    rrexpr.values["content_sha256"] = sha256_raw = _hashlib.sha256(data).digest()
                    sha256_hex = sha256_raw.hex()
                    real_out_path = _os.path.join(
                        content_destination, content_output_format % rrexpr
                    )
                    old_content = read_file_maybe(real_out_path)
                    if old_content is None:
                        atomic_write(data, real_out_path, False)
                    elif old_content != data:
                        raise Failure(
                            "wrong file content in `%s`: expected sha256 `%s`, got sha256 `%s`",
                            real_out_path,
                            sha256_hex,
                            _hashlib.sha256(old_content).hexdigest(),
                        )
                    if old_data != data:
                        action_op(real_out_path, rel_out_path, allow_updates)
                    stdout.write_str_ln(ispace + gettext("content_dst %s") % (real_out_path,))
                stdout.write_str_ln(ispace + gettext("dst %s") % (rel_out_path,))
                stdout.flush()
                done[id(rrexpr)] = real_out_path
                return real_out_path
            except FileExistsError as exc:
                raise Failure(
                    "trying to overwrite `%s` which already exists", exc.filename
                ) from exc
            except OSError as exc:
                handle_ENAMETOOLONG(exc, exc.filename)
                if exc.errno == _errno.EXDEV:
                    raise Failure(f"can't {action} across file systems") from exc
                raise
        except Failure as exc:
            if cargs.errors == "ignore":
                return rel_out_path
            exc.elaborate("while processing `%s`", source.show_source())
            if cargs.errors != "fail":
                _logging.error("%s", exc.get_message(gettext))
                return rel_out_path
            # raise CatastrophicFailure instead
            raise CatastrophicFailure(exc) from exc
        except Exception:
            error("while processing `%s`", source.show_source())
            raise
    while len(queue) > 0:
        raise_first_delayed_signal()
        new_queue: Queue = _c.OrderedDict()
        enqueue = Mutable.depth < max_depth
        while len(queue) > 0:
            raise_first_delayed_signal()
            _qpid, qobj = queue.popitem(False)
            qstime, qrrexpr = qobj
            render(qstime, qrrexpr.net_url, qrrexpr, get_rel_out_path(qrrexpr), enqueue, new_queue, 0)  # fmt: skip
            qrrexpr.unload()
        queue = new_queue
        Mutable.depth += 1
    filters_warn()
    root_filters_warn()
def cmd_serve(cargs: _t.Any) -> None:
    import bottle
    from fnmatch import translate
    import hoardy_web.static as _static
    quiet = cargs.quiet
    server_url_base = f"http://{cargs.host}:{cargs.port}"
    locate_page = bottle.SimpleTemplate(source=_static.locate_page_stpl)
    app = bottle.Bottle()
    BottleReturnType = str | bytes | None
    PSpec = _t.ParamSpec("PSpec")
    def with_no_signals(
        func: _t.Callable[PSpec, BottleReturnType]
    ) -> _t.Callable[PSpec, BottleReturnType]:
        def decorated(*args: PSpec.args, **kwargs: PSpec.kwargs) -> BottleReturnType:
            with no_signals():
                return func(*args, **kwargs)
        return decorated
    def with_plain_error(
        func: _t.Callable[PSpec, BottleReturnType]
    ) -> _t.Callable[PSpec, BottleReturnType]:
        def decorated(*args: PSpec.args, **kwargs: PSpec.kwargs) -> BottleReturnType:
            bottle.response.set_header("content-type", "text/plain; charset=utf-8")
            try:
                return func(*args, **kwargs)
            except CatastrophicFailure as exc:
                if not quiet:
                    stderr.write_str_ln(get_traceback(exc))
                    stderr.flush()
                bottle.response.status = 400
                return exc.get_message(gettext)
            except Exception as exc:
                if not quiet:
                    stderr.write_str_ln(get_traceback(exc))
                    stderr.flush()
                bottle.response.status = 500
                return gettext("uncaught error: %s") % (str(exc),)
        return decorated
    time_format = "%Y-%m-%d_%H:%M:%S"
    precision = 0
    precision_delta = Decimal(10) ** -precision
    output_format = elaborate_output("--output", output_alias, cargs.output) + ".wrr"
    destination = map_optional(
        lambda x: _os.path.expanduser(x), cargs.destination  # pylint: disable=unnecessary-lambda
    )
    bucket_re = _re.compile(r"[\w -]+")
    ignore_buckets = cargs.ignore_buckets
    default_bucket = cargs.default_bucket
    compression = cargs.compression
    terminator = cargs.terminator
    do_replay = cargs.replay is not False
    inherit: str | None = None
    if len(cargs.exprs) == 0:
        cargs.exprs = [
            compile_expr(
                default_expr("serve" if cargs.web_replay else "mirror", cargs.default_expr)
            )
        ]
        inherit = "request" if cargs.default_expr == "raw_qbody" else "response"
    take_whatever = inherit != "response"
    not_web_replay = not cargs.web_replay
    if cargs.default_input_filters:
        cargs.status_re += [default_input_status_re]
    _num, filters_allow, filters_warn = compile_filters(cargs)
    PathType: _t.TypeAlias = str
    index: SortedIndex[URLType, Timestamp, IndexedReqres] = SortedIndex(
        key_key=identity,
        value_key=fst,
        ideal=cargs.replay if cargs.replay is not False else anytime.end,
    )
    def emit(rrexpr: ReqresExpr[DeferredSourceType]) -> None:
        stime = rrexpr.stime
        net_url = rrexpr.net_url
        indexed = (stime, rrexpr)
        index.insert(net_url, indexed)
        rrexpr.unload()
    if do_replay:
        if stderr.isatty():
            stderr.write_bytes(b"\033[32m")
        stderr.write_str_ln(gettext("loading input `PATH`s..."))
        if stderr.isatty():
            stderr.write_bytes(b"\033[0m")
        stderr.flush()
        handle_paths(cargs)
        rrexprs_load = mk_rrexprs_load(cargs)
        seen_paths: set[PathType] = set()
        if destination is not None and cargs.implicit and _os.path.exists(destination):
            map_wrr_paths(
                cargs, rrexprs_load, filters_allow, emit, [destination], seen_paths=seen_paths
            )
        map_wrr_paths(cargs, rrexprs_load, filters_allow, emit, cargs.paths, seen_paths=seen_paths)
    elif cargs.implicit:
        raise CatastrophicFailure("`--no-replay`: not allowed with `--implicit`")
    elif len(cargs.paths) > 0:
        raise CatastrophicFailure("`--no-replay`: not allowed with a non-empty list of `PATH`s")
    if not quiet:
        filters_warn()
    def url_info(net_url: str, pu: ParsedURL) -> tuple[str, str, str]:
        return pu.rhostname, pu.pretty_net_url, net_url
    all_urls = SortedList(map(lambda net_url: url_info(net_url, parse_url(net_url)), index.keys()))
    def get_visits(
        url_like_re: _re.Pattern[str], start: Timestamp, end: Timestamp
    ) -> tuple[int, list[tuple[str, str, list[str]]]]:
        visits_total = 0
        url_visits = []
        for _rhost, pretty_net_url, net_url in all_urls:
            if not url_like_re.fullmatch(pretty_net_url):
                continue
            visits = []
            for when, _rrexpr in index.iter_range(net_url, start, end):
                # if normal_document(t, v):
                visits.append(when.format(time_format, precision=precision))
                visits_total += 1
            if len(visits) > 0:
                url_visits.append((net_url, pretty_net_url, visits))
        return visits_total, url_visits
    server_info_dict: dict[str, _t.Any] = {
        "version": 1,
    }
    if destination is not None:
        server_info_dict["dump_wrr"] = "/pwebarc/dump"
    if do_replay:
        server_info_dict["index_ideal"] = map_optional(
            lambda x: x.format("@", precision=9), index.ideal
        )
        server_info_dict["replay_oldest"] = "/web/-inf/{url}"
        server_info_dict["replay_latest"] = "/web/+inf/{url}"
        if index.ideal is None:
            server_info_dict["replay_any"] = "/web/{timestamp}/{url}"
    server_info_json = _json.dumps(server_info_dict).encode("utf-8")
    del server_info_dict
    @app.route("/hoardy-web/server-info")  # type: ignore
    @with_no_signals
    def server_info() -> bytes:
        return server_info_json
    @app.route("/pwebarc/dump", method="POST")  # type: ignore
    @with_plain_error
    @with_no_signals
    def dump_wrr() -> BottleReturnType:
        if destination is None:
            bottle.response.status = 403
            return gettext("archiving is forbidden, restart the server with `%s` to enable") % (
                "hoardy-web serve --to <path>",
            )
        ctype = bottle.request.content_type
        if ctype not in ["application/x-wrr+cbor", "application/cbor"]:
            raise Failure("expected CBOR data, got `%s`", ctype)
        env = bottle.request.environ
        bucket = ""
        if not ignore_buckets:
            bucket_param = bottle.request.query.get("profile", "")
            bucket = "".join(bucket_re.findall(bucket_param))
        if len(bucket) == 0:
            bucket = default_bucket
        # read request body data
        cborf = BytesIOReader(b"")
        inf = env["wsgi.input"]
        try:
            todo = int(env["CONTENT_LENGTH"])
        except Exception as exc:
            raise Failure("need `content-length`") from exc
        while todo > 0:
            res = inf.read(todo)
            if len(res) == 0:
                raise Failure("incomplete data")
            cborf.write(res)
            todo -= len(res)
        cborf.seek(0)
        try:
            reqres = wrr_load_cbor_fileobj(cborf)
        except Failure as exc:
            raise exc.elaborate("failed to parse content body")
        except Exception as exc:
            raise Failure("failed to parse content body: %s", str(exc)) from exc
        cborf.seek(0)
        data = cborf.getvalue()  # type: ignore
        del cborf
        if compression:
            data = gzip_maybe(data)
        trrexpr = ReqresExpr(UnknownSource(), reqres)
        trrexpr.values["num"] = 0
        prev_path: str | None = None
        while True:
            rel_out_path = _os.path.join(destination, bucket, output_format % trrexpr)
            abs_out_path = _os.path.abspath(rel_out_path)
            if prev_path == abs_out_path:
                raise Failure("destination already exists" + variance_help)
            prev_path = abs_out_path
            try:
                atomic_write(data, abs_out_path)
            except FileExistsError:
                pass
            except OSError as exc:
                raise Failure("failed to write data to `%s`: %s", exc.filename, str(exc)) from exc
            else:
                break
            trrexpr.values["num"] += 1
        if do_replay:
            rrexpr = ReqresExpr(make_FileSource(abs_out_path, _os.stat(abs_out_path)), reqres)
            rrexpr.values = trrexpr.values
            if filters_allow(rrexpr):
                emit(rrexpr)
                all_urls.add(url_info(rrexpr.net_url, rrexpr.reqres.request.url))
        if terminator is not None:
            stdout.write(abs_out_path)
            stdout.write_bytes(terminator)
            stdout.flush()
        stderr.write_str_ln(gettext("archived %s -> %s") % (rrexpr.net_url, abs_out_path))
        stderr.flush()
        return b""
    @app.route("/<namespace:re:(web|redirect|unavailable|other)>/<selector>/<url_path:path>")  # type: ignore
    @with_no_signals
    def from_archive(namespace: str, selector: str, url_path: str) -> BottleReturnType:
        if not do_replay:
            bottle.abort(403, "Replay is forbidden on this server")
            return None
        env = bottle.request.environ
        query = env.get("QUERY_STRING", "")
        turl = url_path
        if len(query) > 0:
            turl += "?" + _up.unquote(query)
        interval: Timerange
        if selector.endswith("*"):
            try:
                interval = timerange(selector)
            except CatastrophicFailure as exc:
                bottle.abort(400, exc.get_message(gettext))
                return None
            url_like_re = _re.compile(translate(turl))
            visits_total, url_visits = get_visits(url_like_re, interval.start, interval.end)
            return locate_page.render(  # type: ignore
                {
                    "matching": True,
                    "selector": selector,
                    "start": interval.start.format(),
                    "end": interval.end.format(),
                    "pattern": turl,
                    "visits_total": visits_total,
                    "url_visits": url_visits,
                }
            )
        ideal: Timestamp
        if selector in ["-inf", "0", "1", "oldest", "old", "first"]:
            interval = anytime
            ideal = anytime.start
        elif selector in ["+inf", "2", "latest", "last", "newest", "new"]:
            interval = anytime
            ideal = anytime.end
        else:
            try:
                interval = timerange(selector)
                ideal = interval.middle
            except CatastrophicFailure as exc:
                bottle.abort(400, exc.get_message(gettext))
                return None
        try:
            pturl = parse_url(turl)
        except URLParsingError:
            bottle.abort(400, gettext("malformed URL `%s`") % (turl,))
            return None
        net_url = pturl.net_url
        uobj = index.get_nearest1(net_url, ideal, normal_document)
        if uobj is None:
            if len(query) == 0:
                # When the query is empty, WSGI loses the trailing "?" even
                # when it was given by the client, so we have to check
                uobj = index.get_nearest1(net_url + "?", ideal, normal_document)
            if uobj is None:
                if "*" in turl:
                    url_like_re = _re.compile(translate(turl))
                    pattern = turl
                else:
                    mq_path = pturl.mq_path
                    if mq_path.endswith("/"):
                        mq_path = mq_path[:-1]
                    loc = pturl.netloc + mq_path
                    url_like_re = _re.compile(".*" + _re.escape(loc) + ".*")
                    pattern = "*" + loc + "*"
                visits_total, url_visits = get_visits(url_like_re, anytime.start, anytime.end)
                bottle.response.status = 404
                return locate_page.render(  # type: ignore
                    {
                        "matching": False,
                        "net_url": net_url,
                        "pretty_net_url": turl,
                        "selector": "*",
                        # "start": anytime.start.format(), "end": anytime.end.format(),
                        "pattern": pattern,
                        "visits_total": visits_total,
                        "url_visits": url_visits,
                    }
                )
        stime, rrexpr = uobj
        stime_selector = stime.format(time_format, precision=precision)
        if stime not in interval or interval.delta > precision_delta:
            bottle.redirect(f"/{namespace}/{stime_selector}/{turl}", 302)
            return None
        try:
            def remap_url(
                unet_url: URLType,
                upurl: ParsedURL,
                _link_type: LinkType,
                fallbacks: list[str] | None,
            ) -> URLType | None:
                unamespace = "unavailable"
                ustime_selector = stime_selector if fallbacks is not None else None
                for uobj in index.iter_nearest(unet_url, stime, normal_document):
                    ustime, urrexpr = uobj
                    response = urrexpr.reqres.response
                    assert response is not None
                    code = response.code
                    if take_whatever or code in definitive_response_codes:
                        # that's a definitive answer page, point this directly
                        # there to optimize away redirects
                        unamespace = "web"
                        ustime_selector = ustime.format(time_format, precision=precision)
                        break
                    if code in redirect_response_codes:
                        # that's a redirect, point it there, but timestamp transitively
                        unamespace = "redirect"
                        ustime_selector = stime_selector
                        break
                    # something else
                    unamespace = "other"
                    ustime_selector = stime_selector
                    # NB: continue trying other visits in this case
                if ustime_selector is None:
                    return None
                return f"/{unamespace}/{ustime_selector}/{unet_url}" + upurl.ofm + upurl.fragment
            remap_url_cached = cached_remap_url(net_url, remap_url, handle_warning=_logging.warn)
            rrexpr.remap_url = remap_url_cached
            def rebase_remap_url(url: URLType) -> URLType | None:
                try:
                    href = _up.urljoin(net_url, url)
                except ValueError:
                    return None
                return remap_url_cached(href, LinkType.JUMP, [])
            # TODO: inherit MIME from generated expression type instead
            rere_obj: Request | Response | None = None
            if inherit is not None:
                rere_obj = getattr(rrexpr.reqres, inherit)
            if rere_obj is not None:
                if isinstance(rere_obj, Response):
                    # inherit response's status code
                    bottle.response.status = rere_obj.code
                    for hn, hv in get_headers(rere_obj.headers):
                        hl = hn.lower()
                        hr: str | None = None
                        if hl == "location":
                            hr = rebase_remap_url(hv.strip())
                        elif not_web_replay:
                            continue
                        elif hl in verbatim_http_headers:
                            hr = hv
                        elif hl == "refresh":
                            try:
                                secs, url = parse_refresh_header(hv)
                            except ValueError:
                                pass
                            else:
                                href = rebase_remap_url(url)
                                if href is not None:
                                    hr = unparse_refresh_header(secs, href)
                        elif hl == "link":
                            try:
                                plinks = parse_link_header(hv)
                            except ValueError:
                                pass
                            else:
                                links = []
                                for url, params in plinks:
                                    rel = get_parameter_value(params, "rel", None)
                                    if rel is not None:
                                        allowed_rels = link_rels_of(
                                            rel, blacklist=preload_link_rels
                                        )
                                        if len(allowed_rels) == 0:
                                            continue
                                        params = set_parameter(
                                            params, "rel", " ".join(allowed_rels)
                                        )
                                    href = rebase_remap_url(url)
                                    if href is not None:
                                        links.append((href, params))
                                hr = unparse_link_header(links) if len(links) > 0 else None
                        if hr is not None:
                            bottle.response.add_header(hn, hr)
                ct, sniff = rere_obj.get_content_type()
                bottle.response.set_header("content-type", ct)
                if not sniff:
                    bottle.response.set_header("x-content-type-options", "nosniff")
            else:
                bottle.response.set_header("content-type", "application/octet-stream")
            data: bytes
            with TIOWrappedWriter(_io.BytesIO()) as f:
                print_exprs(rrexpr, cargs.exprs, cargs.separator, f)
                data = f.fobj.getvalue()
            return data
        except Failure as exc:
            exc.elaborate("while processing [%s] `%s`", stime.format(), turl)
            bottle.abort(500, exc.get_message(gettext))
        finally:
            rrexpr.unload()
    if stderr.isatty():
        stderr.write_bytes(b"\033[33m")
    if destination is not None:
        stderr.write_str_ln(
            gettext("Working as an archiving server at %s") % (server_url_base + "/",)
        )
    else:
        stderr.write_str_ln(gettext("Archiving server support is disabled"))
    if do_replay:
        stderr.write_str_ln(
            gettext("Serving replays for %d reqres at %s")
            % (index.size, f"{server_url_base}/web/*/*")
        )
    else:
        stderr.write_str_ln(gettext("Replay server support is disabled"))
    if stderr.isatty():
        stderr.write_bytes(b"\033[0m")
    stderr.flush()
    with yes_signals():
        app.run(host=cargs.host, port=cargs.port, quiet=quiet, debug=cargs.debug_bottle)
def add_doc(fmt: argparse.BetterHelpFormatter) -> None:
    _: _t.Callable[[str], str] = gettext
    # fmt: off
    fmt.add_text(_("# Examples"))
    fmt.start_section(_("Pretty-print all reqres in `../simple_server/pwebarc-dump` using an abridged (for ease of reading and rendering) verbose textual representation"))
    fmt.add_code(f"{__prog__} pprint ../simple_server/pwebarc-dump")
    fmt.end_section()
    fmt.start_section(_("Pipe raw response body from a given `WRR` file to stdout"))
    fmt.add_code(f'{__prog__} get ../simple_server/pwebarc-dump/path/to/file.wrr')
    fmt.end_section()
    fmt.start_section(_("Pipe response body scrubbed of dynamic content from a given `WRR` file to stdout"))
    fmt.add_code(f'{__prog__} get -e "response.body|eb|scrub response defaults" ../simple_server/pwebarc-dump/path/to/file.wrr')
    fmt.end_section()
    fmt.start_section(_("Get first 2 bytes (4 characters) of a hex digest of sha256 hash computed on the URL without the fragment/hash part"))
    fmt.add_code(f'{__prog__} get -e "net_url|to_ascii|sha256|take_prefix 2|to_hex" ../simple_server/pwebarc-dump/path/to/file.wrr')
    fmt.end_section()
    fmt.start_section(_("Pipe response body from a given `WRR` file to stdout, but less efficiently, by generating a temporary file and giving it to `cat`"))
    fmt.add_code(f"{__prog__} run cat ../simple_server/pwebarc-dump/path/to/file.wrr")
    fmt.add_text(_(f"Thus `{__prog__} run` can be used to do almost anything you want, e.g."))
    fmt.add_code(f"{__prog__} run less ../simple_server/pwebarc-dump/path/to/file.wrr")
    fmt.add_code(f"{__prog__} run -- sort -R ../simple_server/pwebarc-dump/path/to/file.wrr")
    fmt.add_code(f"{__prog__} run -n 2 -- diff -u ../simple_server/pwebarc-dump/path/to/file-v1.wrr ../simple_server/pwebarc-dump/path/to/file-v2.wrr")
    fmt.end_section()
    fmt.start_section(_("""List paths of all `WRR` files from `../simple_server/pwebarc-dump` that contain complete `200 OK` responses with `text/html` bodies larger than 1K"""))
    fmt.add_code(f"""{__prog__} find --status-re .200C --response-mime text/html --and "response.body|len|> 1024" ../simple_server/pwebarc-dump""")
    fmt.end_section()
    fmt.start_section(_(f"Rename all `WRR` files in `../simple_server/pwebarc-dump/default` according to their metadata using `--output default` (see the `{__prog__} organize` section for its definition, the `default` format is designed to be human-readable while causing almost no collisions, thus making `num` substitution parameter to almost always stay equal to `0`, making things nice and deterministic)"))
    fmt.add_code(f"{__prog__} organize ../simple_server/pwebarc-dump/default")
    fmt.add_text(_("alternatively, just show what would be done"))
    fmt.add_code(f"{__prog__} organize --dry-run ../simple_server/pwebarc-dump/default")
    fmt.end_section()
    fmt.add_text(_("# Advanced examples"))
    fmt.start_section(_("Pretty-print all reqres in `../simple_server/pwebarc-dump` by dumping their whole structure into an abridged Pythonic Object Representation (repr)"))
    fmt.add_code(f"{__prog__} stream --expr . ../simple_server/pwebarc-dump")
    fmt.add_code(f"{__prog__} stream -e . ../simple_server/pwebarc-dump")
    fmt.end_section()
    fmt.start_section(_("Pretty-print all reqres in `../simple_server/pwebarc-dump` using the unabridged verbose textual representation"))
    fmt.add_code(f"{__prog__} pprint --unabridged ../simple_server/pwebarc-dump")
    fmt.add_code(f"{__prog__} pprint -u ../simple_server/pwebarc-dump")
    fmt.end_section()
    fmt.start_section(_("Pretty-print all reqres in `../simple_server/pwebarc-dump` by dumping their whole structure into the unabridged Pythonic Object Representation (repr) format"))
    fmt.add_code(f"{__prog__} stream --unabridged --expr . ../simple_server/pwebarc-dump")
    fmt.add_code(f"{__prog__} stream -ue . ../simple_server/pwebarc-dump")
    fmt.end_section()
    fmt.start_section(_("Produce a `JSON` list of `[<file path>, <time it finished loading in seconds since UNIX epoch>, <URL>]` tuples (one per reqres) and pipe it into `jq` for indented and colored output"))
    fmt.add_code(f"{__prog__} stream --format=json -ue fs_path -e finished_at -e request.url ../simple_server/pwebarc-dump | jq .")
    fmt.end_section()
    fmt.start_section(_("Similarly, but produce a `CBOR` output"))
    fmt.add_code(f"{__prog__} stream --format=cbor -ue fs_path -e finished_at -e request.url ../simple_server/pwebarc-dump | less")
    fmt.end_section()
    fmt.start_section(_("Concatenate all response bodies of all the requests in `../simple_server/pwebarc-dump`"))
    fmt.add_code(f'{__prog__} stream --format=raw --not-terminated -ue "response.body|eb" ../simple_server/pwebarc-dump | less')
    fmt.end_section()
    fmt.start_section(_("Print all unique visited URLs, one per line"))
    fmt.add_code(f"{__prog__} stream --format=raw --lf-terminated -ue request.url ../simple_server/pwebarc-dump | sort | uniq")
    fmt.end_section()
    fmt.start_section(_("Same idea, but using NUL bytes, with some post-processing, and two URLs per line"))
    fmt.add_code(f"{__prog__} stream --format=raw --zero-terminated -ue request.url ../simple_server/pwebarc-dump | sort -z | uniq -z | xargs -0 -n2 echo")
    fmt.end_section()
    fmt.add_text(_("## How to handle binary data"))
    fmt.add_text(_(f"Trying to use response bodies produced by `{__prog__} stream --format=json` is likely to result garbled data as `JSON` can't represent raw sequences of bytes, thus binary data will have to be encoded into UNICODE using replacement characters:"))
    fmt.add_code(f"{__prog__} stream --format=json -ue . ../simple_server/pwebarc-dump/path/to/file.wrr | jq .")
    fmt.add_text(_("The most generic solution to this is to use `--format=cbor` instead, which would produce a verbose `CBOR` representation equivalent to the one used by `--format=json` but with binary data preserved as-is:"))
    fmt.add_code(f"{__prog__} stream --format=cbor -ue . ../simple_server/pwebarc-dump/path/to/file.wrr | less")
    fmt.add_text(_("Or you could just dump raw response bodies separately:"))
    fmt.add_code(f"{__prog__} stream --format=raw -ue response.body ../simple_server/pwebarc-dump/path/to/file.wrr | less")
    fmt.add_code(f"{__prog__} get ../simple_server/pwebarc-dump/path/to/file.wrr | less")
    # fmt: on
def make_argparser(real: bool = True) -> argparse.BetterArgumentParser:
    _: _t.Callable[[str], str] = gettext
    # fmt: off
    parser = argparse.BetterArgumentParser(
        prog=__prog__,
        description=_('Inspect, search, organize, programmatically extract values and generate static website mirrors from, archive, view, and replay `HTTP` archives/dumps in `WRR` ("Web Request+Response", produced by the `Hoardy-Web` Web Extension browser add-on) and `mitmproxy` (`mitmdump`) file formats.')
        + "\n\n"
        + _("Glossary: a `reqres` (`Reqres` when a type/class) is an instance of a structure representing `HTTP` request+response pair with some additional metadata."),
        additional_sections=[add_doc],
        add_version=True,
    )
    subparsers = parser.add_subparsers(title="subcommands")
    def add_errors(cmd: _t.Any) -> None:
        grp = cmd.add_argument_group("error handling")
        grp.add_argument("--errors", choices=["fail", "skip", "ignore"], default="fail",
            help=_("""when an error occurs:
- `fail`: report failure and stop the execution; default
- `skip`: report failure but skip the reqres that produced it from the output and continue
- `ignore`: `skip`, but don't report the failure"""),
        )
    date_spec = _("; the `DATE` can be specified either as a number of seconds since UNIX epoch using `@<number>` format where `<number>` can be a floating point, or using one of the following formats:`YYYY-mm-DD HH:MM:SS[.NN*] (+|-)HHMM`, `YYYY-mm-DD HH:MM:SS[.NN*]`, `YYYY-mm-DD HH:MM:SS`, `YYYY-mm-DD HH:MM`, `YYYY-mm-DD`, `YYYY-mm`, `YYYY`; if no `(+|-)HHMM` part is specified, the `DATE` is assumed to be in local time; if other parts are unspecified they are inherited from `<year>-01-01 00:00:00.0`")
    date_spec_id = _("; the `DATE` format is the same as above")
    interval_date_spec = _("; the `INTERVAL_DATE` is parsed as a time interval the middle point of which is taken as target value; e.g., `2024` becomes `2024-07-02 00:00:00` (which is the exact middle point of that year), `2024-12-31` becomes `2024-12-31 12:00:00`, `2024-12-31 12` -> `2024-12-31 12:30:00`, `2024-12-31 12:00` -> `2024-12-31 12:00:30`, `2024-12-31 12:00:01` -> `2024-12-31 12:00:01.5`, etc")
    interval_date_spec_id = _("; the `INTERVAL_DATE` format and semantics is the same as above")
    fullmatch_re = _("; this option matches the given regular expression against the whole input value; to match against any part of the input value, use `.*<re>.*` or `^.*<re>.*$`")
    ie_whitelist = _("; in short, this option defines a whitelisted element rule")
    ie_blacklist = _("; in short, this option defines a blacklisted element rule")
    def add_filter_options(cmd: _t.Any) -> None:
        agrp = cmd.add_argument_group("filtering options")
        grp = agrp.add_mutually_exclusive_group()
        grp.add_argument("--ignore-case", dest="ignore_case", action="store_const", const=True,
            help=_("when filtering with `--*grep*`, match case-insensitively"),
        )
        grp.add_argument("--case-sensitive", dest="ignore_case", action="store_const", const=False,
            help=_("when filtering with `--*grep*`, match case-sensitively"),
        )
        grp.add_argument("--smart-case", dest="ignore_case", action="store_const", const=None,
            help=_("when filtering with `--*grep*`, match case-insensitively if there are no uppercase letters in the corresponding `*PATTERN*` option argument and case-sensitively otherwise; default"),
        )
    def add_filters(cmd: _t.Any, do_what: str, root: bool = False) -> None:
        if not root:
            intro = _("input filters; if none are specified, then all reqres from input `PATH`s will be taken")
            opt_prefix = ""
            root_short = []
        else:
            intro = _("recursion root filters; if none are specified, then all URLs available from input `PATH`s will be treated as roots (except for those given via `--boring`)")
            opt_prefix = "root-"
            root_short = ["--root", "-r"]
        agrp = cmd.add_argument_group(
            intro
            + _("""; can be specified multiple times in arbitrary combinations; the resulting logical expression that will be checked is `all_of(before) and all_of(not_before) and all_of(after) and all_of(not_after) and any_of(protocol) and not any_of(not_protcol) and any_of(request_method) and not any_of(not_request_method) ... and any_of(grep) and not any_of(not_grep) and all_of(and_grep) and not all_of(not_and_grep) and all_of(ands) and any_of(ors)`""")
        )
        def add_time_filter(opt: str, what: str, sub: str) -> None:
            agrp.add_argument(f"--{opt_prefix}{opt}", metavar="DATE", action="append", type=str, default=[],
                help=_(f"{do_what} its `stime` is {what} than this") + sub,
            )
        add_time_filter("before", "smaller", date_spec)
        add_time_filter("not-before", "larger or equal", date_spec_id)
        add_time_filter("after", "larger", date_spec_id)
        add_time_filter("not-after", "smaller or equal", date_spec_id)
        def map_opts(suffix: str, *opts: str) -> list[str]:
            return list(map(lambda opt: f"--{opt_prefix}{opt}{suffix}", opts))
        def add_str_filter(
            opt: str,
            yes: bool,
            what: str,
            what_p: str,
            what_re: str,
            *,
            short: list[str] = [],
            abs_short: list[str] = [],
            abs_short_p: list[str] = [],
            abs_short_re: list[str] = [],
            sub: str = "",
            sub_p: str = "",
            sub_re: str = "",
        ) -> None:
            metavar = opt.upper().replace("-", "_")
            if yes:
                one_of, is_equal_to, is_a_prefix, matches, wb = "one of", "is equal to", "is a prefix", "matches", ie_whitelist
            else:
                one_of, is_equal_to, is_a_prefix, matches, wb = "none of", "are equal to", "are a prefix", "match", ie_blacklist
            agrp.add_argument(*map_opts("", opt, *short), *abs_short, metavar=metavar, action="append", type=str, default=[],
                help=_(f"{do_what} {one_of} the given `{metavar}` option arguments {is_equal_to} its {what}")
                + sub + wb,
            )
            agrp.add_argument(*map_opts("-prefix", opt, *short), *abs_short_p, metavar=f"{metavar}_PREFIX", action="append", type=str, default=[],
                help=_(f"{do_what} {one_of} the given `{metavar}_PREFIX` option arguments {is_a_prefix} of its {what_p}")
                + sub_p + wb,
            )
            agrp.add_argument(*map_opts("-re", opt, *short), *abs_short_re, metavar=f"{metavar}_RE", action="append", type=str, default=[],
                help=_(f"{do_what} {one_of} the given `{metavar}_RE` regular expressions {matches} its {what_re}")
                + sub_re + wb,
            )
        def add_yn_str_filter(opt: str, *args: _t.Any, **kwargs: _t.Any) -> None:
            add_str_filter(opt, True, *args, **kwargs)
            kwargs["short"] = map(lambda opt: "not-" + opt, kwargs.get("short", []))
            add_str_filter("not-" + opt, False, *args, **kwargs)
        def add_field_filter(opt: str, field: str, *args: _t.Any, **kwargs: _t.Any) -> None:
            what = f"`{field}` (of `{__prog__} get --expr`, which see)"
            kwargs["sub_re"] = kwargs["sub_re"] + " " + fullmatch_re if "sub_re" in kwargs else fullmatch_re
            add_yn_str_filter(opt, what, what, what, *args, **kwargs)
        add_field_filter("protocol", "protocol")
        add_field_filter("request-method", "request.method", short=["method"])
        add_field_filter("status", "status")
        mixed_url_allowed = (
            _("; Punycode UTS46 IDNAs, plain UNICODE IDNAs, percent-encoded URL components, and UNICODE URL components in arbitrary mixes and combinations are allowed; e.g. `%s` will be silently normalized into its Punycode UTS46 and percent-encoded version of `%s`, which will then be matched against")
            % (example_url[-1], example_url[-2])
        ).replace("%", "%%")
        similarly_allowed = _("; similarly to the previous option, arbitrary mixes of URL encodinds are allowed")
        unmixed_reurl_allowed = _("; only Punycode UTS46 IDNAs with percent-encoded URL components or plain UNICODE IDNAs with UNICODE URL components are allowed; regular expressions that use mixes of differently encoded parts will fail to match properly")
        same_allowed = _("; option argument format and caveats are idential to the `not-`less option above")
        def add_url_filter(opt: str, field: str, yes: bool, **kwargs: _t.Any) -> None:
            what = f"`{field}` (of `{__prog__} get --expr`, which see)"
            add_str_filter(opt, yes, what, what,
                f"`{field}` or `pretty_{field}` (of `{__prog__} get --expr`, which see)",
                sub=mixed_url_allowed if yes else same_allowed,
                sub_p=similarly_allowed if yes else same_allowed,
                sub_re=unmixed_reurl_allowed + fullmatch_re if yes else same_allowed,
                **kwargs,
            )
        add_url_filter("url", "net_url", True, abs_short_p=root_short)
        add_url_filter("not-url", "net_url", False)
        def add_grep_filter(
            opt: str,
            metavar: str,
            what: str,
            what_re: str,
            short: list[str] = [],
            sub: str = "",
            sub_re: str = "",
        ) -> None:
            agrp.add_argument(*map_opts("", opt, *short), metavar=metavar, action="append", type=str, default=[],
                help=_(f"{do_what} {what}") + sub,
            )
            agrp.add_argument(*map_opts("-re", opt, *short), metavar=f"{metavar}_RE", action="append", type=str, default=[],
                help=_(f"{do_what} {what_re}") + sub_re,
            )
        grep_headers = _("; each `HTTP` header of `*.headers` is matched as a single `<header_name>: <header_value>` value")
        grep_binary = _("; at the moment, binary values are matched against given option arguments by encoding the latter into `UTF-8` first, which means that `*.headers` and `*.body` values that use encodings other than `UTF-8` are not guaranteed to match properly")
        def add_greps(
            prefix: str, opt: str, multi: bool, what: str, what_id: str, sub: str, sub_id: str
        ) -> None:
            if not multi:
                mall, many, msome, mel = "", "", "", ""
            else:
                mall = "at least one of the elements of "
                many = "any of the elements of "
                msome = "some element of "
                mel = "the elements of "
            add_grep_filter(f"{prefix}or-{opt}", "OR_PATTERN",
                f"at least one of the given `OR_PATTERN` option arguments is a substring of {mall}{what}",
                f"at least one of the given `OR_PATTERN_RE` regular expressions matches a substring of {mall}{what_id}",
                short=[f"{prefix}{opt}"],
                sub=sub + ie_whitelist,
                sub_re=sub_id + ie_whitelist,
            )
            add_grep_filter(f"not-{prefix}or-{opt}", "NOT_OR_PATTERN",
                f"none of the given `NOT_OR_PATTERN` option arguments are substrings of {many}{what_id}",
                f"none of the given `NOT_OR_PATTERN_RE` regular expressions match any substrings of {many}{what_id}",
                short=[f"not-{prefix}{opt}"],
                sub=sub_id + ie_blacklist,
                sub_re=sub_id + ie_blacklist,
            )
            add_grep_filter(f"{prefix}and-{opt}", "AND_PATTERN",
                f"each of the given `AND_PATTERN` option arguments is a substring of {msome}{what_id}",
                f"each of the given `AND_PATTERN_RE` regular expressions matches a substring of {msome}{what_id}",
                sub=sub_id,
                sub_re=sub_id,
            )
            add_grep_filter(f"not-{prefix}and-{opt}", "NOT_AND_PATTERN",
                f"one or more of the given `NOT_AND_PATTERN` option arguments is not a substring of {mel}{what_id}",
                f"one or more of the given `NOT_AND_PATTERN_RE` regular expressions fails to match any substrings of {mel}{what_id}",
                sub=sub_id,
                sub_re=sub_id,
            )
        example_mime = list(canonical_mime_of.items())[0]
        mixed_mime_allowed = _("; both canonical and non-canonical MIME types are allowed; e.g., giving `%s` or `%s` will produce the same predicate") % (example_mime[0], example_mime[1])
        unmixed_pmime_allowed = _("; given prefixes will only ever be matched against canonicalized MIME types")
        unmixed_remime_allowed = _("; given regular expressions will only ever be matched against canonicalized MIME types")
        def add_mime_filter(opt: str, side: str, yes: bool) -> None:
            what = f"`{side}_mime` (of `{__prog__} get --expr`, which see)"
            add_str_filter(opt, yes, what, what, what,
                sub=mixed_mime_allowed if yes else same_allowed,
                sub_p=unmixed_pmime_allowed if yes else same_allowed,
                sub_re=unmixed_remime_allowed + fullmatch_re if yes else same_allowed,
            )
        def add_rr_filter(side: str) -> None:
            add_greps(f"{side}-headers-", "grep", True,
                f"the list containing all `{side}.headers` (of `{__prog__} get --expr`, which see)",
                "the above list",
                grep_headers + grep_binary,
                _("; matching caveats are the same as above"),
            )
            add_greps(f"{side}-body-", "grep", False,
                f"`{side}.body` (of `{__prog__} get --expr`, which see)",
                f"`{side}.body`",
                grep_binary,
                _("; matching caveats are the same as above"),
            )
            add_mime_filter(f"{side}-mime", side, True)
            add_mime_filter(f"not-{side}-mime", side, False)
        add_rr_filter("request")
        add_rr_filter("response")
        add_greps("", "grep", True,
            f"the list containing `raw_url`, `url`, `pretty_url`, all `request.headers`, `request.body`, all `response.headers`, and `response.body` (of `{__prog__} get --expr`, which see)",
            "the above list",
            grep_headers + grep_binary,
            _("; matching caveats are the same as above"),
        )
        agrp.add_argument(f"--{opt_prefix}and", metavar="EXPR", action="append", type=str, default=[],
            help=_(f"{do_what} all of the given expressions of the same format as `{__prog__} get --expr` (which see) evaluate to `true`"),
        )
        agrp.add_argument(f"--{opt_prefix}or", metavar="EXPR", action="append", type=str, default=[],
            help=_(f"{do_what} some of the given expressions of the same format as `{__prog__} get --expr` (which see) evaluate to `true`"),
        )
    def add_default_filters(cmd: _t.Any, kind: str = "input") -> None:
        agrp = cmd.add_argument_group(f"default {kind} filters")
        if kind == "input":
            def_def = '--status-re ".(200|30[012378])C"'
            what, unwhat, inputs = "index", "ignore", "inputs"
            def_note = _("; this matches complete `200 OK` and `300 Multiple Choices` responses and various redirects")
            undef_note = _(f"""; if you set this option, you should also probably set at least `--status-re ".*C" --not-status-re ".206."`, unless you want `{__prog__} mirror` processing partially downloaded data""")
        elif kind == "root":
            def_def = '--root-status-re ".[23]00C"'
            what, unwhat, inputs = "queue", "skip", "indexed"
            def_note = _("; this matches complete `200 OK` and `300 Multiple Choices` responses")
            undef_note = _(f"""; `{__prog__} mirror` will follow redirects when remapping links, but, at the moment, attempting to render redirects produces empty files; thus, if you set this option, you should also set `--not-status-re ".30[12378]."` or similar""")
        else:
            assert False
        ddest = f"default_{kind}_filters"
        agrp.add_argument(f"--{unwhat}-some-{inputs}", dest=ddest, action="store_const", const=True,
            help=_(f"initialize {kind} filters to `%s`") % (def_def,) + def_note + _("; default"),
        )
        agrp.add_argument(f"--{what}-all-{inputs}", dest=ddest, action="store_const", const=False,
            help=_(f"do not set any {kind} filters by default") + undef_note,
        )
        cmd.set_defaults(**{ddest: True})
    def add_pure(cmd: _t.Any) -> None:
        cmd.add_argument("-q", "--quiet", action="store_true",
            help=_("don't print end-of-filtering warnings to stderr"),
        )
    def add_impure(cmd: _t.Any) -> None:
        grp = cmd.add_mutually_exclusive_group()
        grp.add_argument("--dry-run", action="store_true",
            help=_("perform a trial run without actually performing any changes"),
        )
        grp.add_argument("-q", "--quiet", action="store_true",
            help=_("don't log computed updates and don't print end-of-filtering warnings to stderr"),
        )
    def add_common(cmd: _t.Any, kind: str, filter_what: str) -> None:
        add_errors(cmd)
        add_paths(cmd, kind)
        add_sniff(cmd, kind)
        if real:
            add_filter_options(cmd)
            add_filters(cmd, filter_what)
        if kind in ["mirror", "serve"]:
            add_default_filters(cmd)
        if kind == "mirror":
            add_default_filters(cmd, "root")
    def add_abridged(cmd: _t.Any) -> None:
        grp = cmd.add_mutually_exclusive_group()
        grp.add_argument("-u", "--unabridged", dest="abridged", action="store_false",
            help=_("print all data in full"),
        )
        grp.add_argument("--abridged", action="store_true",
            help=_("shorten long strings for brevity, useful when you want to visually scan through batch data dumps; default"),
        )
        cmd.set_defaults(abridged=True)
    def add_termsep(
        cmd: _t.Any,
        name: str,
        what: str = "printing of `--expr` values",
        whatval: str = "print `--expr` values",
        allow_not: bool = True,
        allow_none: bool = False,
        short: bool = True,
    ) -> None:
        agrp = cmd.add_argument_group(what)
        grp = agrp.add_mutually_exclusive_group()
        def_def = "; " + _("default")
        def_val: bytes | None
        if allow_none:
            grp.add_argument("--no-print", dest=f"{name}ator", action="store_const", const=None,
                help=_("don't print anything") + def_def,
            )
            def_lf = ""
            def_val = None
        else:
            def_lf = def_def
            def_val = b"\n"
        if allow_not:
            grp.add_argument(f"--not-{name}ated", dest=f"{name}ator", action="store_const", const=b"",
                help=_(f"{whatval} without {name}ating them with anything, just concatenate them"),
            )
        grp.add_argument(*optlist(short, "-l"), f"--lf-{name}ated", dest=f"{name}ator", action="store_const", const=b"\n",
            help=_(f"{whatval} {name}ated with `\\n` (LF) newline characters") + def_lf,
        )
        grp.add_argument(*optlist(short, "-z"), f"--zero-{name}ated", dest=f"{name}ator", action="store_const", const=b"\0",
            help=_(f"{whatval} {name}ated with `\\0` (NUL) bytes"),
        )
        if name == "termin":
            cmd.set_defaults(terminator=def_val)
        elif name == "separ":
            cmd.set_defaults(separator=def_val)
    def add_terminator(cmd: _t.Any, *args: _t.Any, **kwargs: _t.Any) -> None:
        add_termsep(cmd, "termin", *args, **kwargs)
    def add_separator(cmd: _t.Any, *args: _t.Any, **kwargs: _t.Any) -> None:
        add_termsep(cmd, "separ", *args, **kwargs)
    def add_paths(cmd: _t.Any, kind: str) -> None:
        def_paths: WalkOrder | str
        def_walk: WalkOrder | str
        if kind == "organize":
            def_def = "; " + _("default when `--no-overwrite`")
            def_sup = "; " + _("default when `--latest`")
            def_paths = "unset"
            def_walk = "unset"
        else:
            def_def = "; " + _("default")
            def_sup = ""
            def_paths = WalkOrder.NONE
            def_walk = WalkOrder.SORT
        agrp = cmd.add_argument_group("path ordering")
        grp = agrp.add_mutually_exclusive_group()
        grp.add_argument("--paths-given-order", dest="walk_paths", action="store_const", const=WalkOrder.NONE,
            help=_("`argv` and `--stdin0` `PATH`s are processed in the order they are given") + def_def,
        )
        grp.add_argument("--paths-sorted", dest="walk_paths", action="store_const", const=WalkOrder.SORT,
            help=_("`argv` and `--stdin0` `PATH`s are processed in lexicographic order"),
        )
        grp.add_argument("--paths-reversed", dest="walk_paths", action="store_const", const=WalkOrder.REVERSE,
            help=_("`argv` and `--stdin0` `PATH`s are processed in reverse lexicographic order") + def_sup,
        )
        cmd.set_defaults(walk_paths=def_paths)
        grp = agrp.add_mutually_exclusive_group()
        grp.add_argument("--walk-fs-order", dest="walk_fs", action="store_const", const=WalkOrder.NONE,
            help=_("recursive file system walk is done in the order `readdir(2)` gives results"),
        )
        grp.add_argument("--walk-sorted", dest="walk_fs", action="store_const", const=WalkOrder.SORT,
            help=_("recursive file system walk is done in lexicographic order") + def_def,
        )
        grp.add_argument("--walk-reversed", dest="walk_fs", action="store_const", const=WalkOrder.REVERSE,
            help=_("recursive file system walk is done in reverse lexicographic order") + def_sup,
        )
        cmd.set_defaults(walk_fs=def_walk)
        agrp = cmd.add_argument_group("input loading")
        grp = agrp.add_mutually_exclusive_group()
        grp.add_argument("--load-any", dest="loader", action="store_const", const=None,
            help=_("for each given input `PATH`, decide which loader to use based on its file extension; default"),
        )
        grp.add_argument("--load-wrr", dest="loader", action="store_const", const="wrr",
            help=_("load all inputs using the single-`WRR` per-file loader"),
        )
        grp.add_argument("--load-wrrb", dest="loader", action="store_const", const="wrr",
            help=_("load all inputs using the `WRR` bundle loader, this will load separate `WRR` files as single-`WRR` bundles too"),
        )
        grp.add_argument("--load-mitmproxy", dest="loader", action="store_const", const="mitmproxy",
            help=_("load inputs using the `mitmproxy` dump loader"),
        )
        grp.set_defaults(loader=None)
        agrp.add_argument("--stdin0", action="store_true",
            help=_("read zero-terminated `PATH`s from stdin, these will be processed after all `PATH`s specified as command-line arguments"),
        )
        if kind == "mirror":
            agrp.add_argument("--boring", metavar="PATH", action="append", type=str, default=[],
                help=_("low-priority input `PATH`; boring `PATH`s will be processed after all `PATH`s specified as positional command-line arguments and those given via `--stdin0` and will not be queued as roots even when no `--root-*` options are specified"),
            )
        agrp.add_argument("paths", metavar="PATH", nargs="*", type=str,
            help=_("inputs, can be a mix of files and directories (which will be traversed recursively)"),
        )
    def add_sniff(cmd: _t.Any, kind: str) -> None:
        oscrub = f"this influeences generated file names because `filepath_parts` and `filepath_ext` of `{__prog__} get --expr` (which see) depend on both the original file extension present in the URL and the detected `MIME` type of its content"
        wscrub = "higher values make the `scrub` function (which see) censor out more things when `-unknown`, `-styles`, or `-scripts` options are set; in particular, at the moment, with `--sniff-paranoid` and `-scripts` most plain text files will be censored out as potential `JavaScript`"
        if kind == "pprint":
            what = "this simply populates the `potentially` lists in the output in various ways"
        elif kind in ("organize", "import"):
            what = oscrub
        elif kind != "mirror":
            what = wscrub
        else:
            what = f"{oscrub}; also, {wscrub}"
        agrp = cmd.add_argument_group(
            _("`MIME` type sniffing; this controls the use of the [`mimesniff` algorithm](https://mimesniff.spec.whatwg.org/); for this sub-command " + what)
        )
        grp = agrp.add_mutually_exclusive_group()
        grp.add_argument("--sniff-default", dest="sniff", action="store_const", const=SniffContentType.NONE,
            help=_("run `mimesniff` when the spec says it should be run; i.e. trust `Content-Type` `HTTP` headers most of the time; default"),
        )
        grp.add_argument("--sniff-force", dest="sniff", action="store_const", const=SniffContentType.FORCE,
            help=_("run `mimesniff` regardless of what `Content-Type`  and `X-Content-Type-Options` `HTTP` headers say; i.e. for each reqres, run `mimesniff` algorithm on the `Content-Type` `HTTP` header and the actual contents of `(request|response).body` (depending on the first argument of `scrub`) to determine what the body actually contains, then interpret the data as intersection of what `Content-Type` and `mimesniff` claim it to be; e.g. if `Content-Type` says `text/plain` but `mimesniff` says `text/plain or text/javascript`, interpret it as `text/plain`"),
        )
        grp.add_argument("--sniff-paranoid", dest="sniff", action="store_const", const=SniffContentType.PARANOID,
            help=_("do what `--sniff-force` does, but interpret the results in the most paranoid way possible; e.g. if `Content-Type` says `text/plain` but `mimesniff` says `text/plain or text/javascript`, interpret it as `text/plain or text/javascript`; which, for instance, will then make `scrub` with `-scripts` censor it out, since it can be interpreted as a script"),
        )
        grp.set_defaults(sniff=SniffContentType.NONE)
    def no_cmd(_cargs: _t.Any) -> None:
        parser.print_help(stderr)  # type: ignore
        _sys.exit(2)
    parser.set_defaults(func=no_cmd)
    if not real:
        add_filter_options(parser)
        add_filters(parser, "accept reqres for processing when")
    # pprint
    cmd = subparsers.add_parser("pprint", aliases=["print", "inspect"],
        help=_("pretty-print given inputs"),
        description=_("""Pretty-print given inputs to stdout."""),
    )
    add_pure(cmd)
    add_common(cmd, "pprint", "pretty-print reqres when")
    add_abridged(cmd)
    cmd.set_defaults(func=cmd_pprint)
    class AddExpr(argparse.Action):
        def __call__(
            self,
            parser: _t.Any,
            cfg: argparse.Namespace,
            value: _t.Any,
            option_string: _t.Optional[str] = None,
        ) -> None:
            cfg.exprs.append(compile_expr(value))
    fd_fileobj = {0: stdin, 1: stdout, 2: stderr}
    class AddExprFd(argparse.Action):
        def __call__(
            self,
            parser: _t.Any,
            cfg: argparse.Namespace,
            value: _t.Any,
            option_string: _t.Optional[str] = None,
        ) -> None:
            fileno = cfg.expr_fd
            try:
                fobj = fd_fileobj[fileno]
            except KeyError:
                fobj = TIOWrappedWriter(_os.fdopen(fileno, "wb"))
                fd_fileobj[fileno] = fobj
            try:
                els = cfg.mexprs[fobj]
            except KeyError:
                els = []
                cfg.mexprs[fobj] = els
            els.append(compile_expr(value))
    def add_expr(cmd: _t.Any, kind: str) -> None:
        def __(value: str, indent: int = 6) -> str:
            prefix = " " * indent
            lines = value.split("\n")
            return f"\n{prefix}".join([_(line) for line in lines]).replace("%", "%%")
        agrp = cmd.add_argument_group("expression evaluation")
        if kind == "get":
            agrp.add_argument("--expr-fd", metavar="INT", type=int, default=1,
                help=_("file descriptor to which the results of evaluations of the following `--expr`s computations should be written; can be specified multiple times, thus separating different `--expr`s into different output streams; default: `%(default)s`, i.e. `stdout`"),
            )
            agrp.add_argument("-e", "--expr", dest="mexprs", metavar="EXPR", action=AddExprFd, type=str, default={},
                help=_('an expression to compute; can be specified multiple times in which case computed outputs will be printed sequentially (see also "printing" options below); the default depends on options below')
                + _("; each `EXPR` describes a state-transformer (pipeline) which starts from value `None` and evaluates a script built from the following")
                + ":\n- "
                + _("constants and functions:")
                + "\n"
                + "".join(
                    [f"  - `{name}`: {__(value[0])}\n" for name, value in ReqresExpr_atoms.items()]
                )
                + "- "
                + _("reqres fields, these work the same way as constants above, i.e. they replace current value of `None` with field's value, if reqres is missing the field in question, which could happen for `response*` fields, the result is `None`")
                + ":\n"
                + "".join([f"  - `{name}`: {__(value)}\n" for name, value in Reqres_fields.items()])
                + "- "
                + _("derived attributes:")
                + "\n"
                + "".join(
                    [
                        f"  - `{name}`: {__(value)}\n"
                        for name, value in ReqresExpr_derived_attrs.items()
                    ]
                )
                + "- "
                + _("a compound expression built by piping (`|`) the above, for example")
                + __(
                    f""":
- `{default_expr("get", "raw_sbody")}` (the default for `get` and `run`) will print raw `response.body` or an empty byte string, if there was no response;
- `{default_expr("get", "raw_sbody")}|scrub response defaults` will take the above value, `scrub` it using default content scrubbing settings which will censor out all actions and references to page requisites;
- `response.complete` will print the value of `response.complete` or `None`, if there was no response;
- `response.complete|false` will print `response.complete` or `False`;
- `net_url|to_ascii|sha256|to_hex` will print a hexadecimal representation of the `sha256` hash of the URL that was actually sent over the network;
- `net_url|to_ascii|sha256|take_prefix 2|to_hex` will print the first 2 bytes (4 characters) of the above;
- `path_parts|take_prefix 3|pp_to_path` will print first 3 path components of the URL, minimally quoted to be used as a path;
- `query_ne_parts|take_prefix 3|qsl_to_path|abbrev 128` will print first 3 non-empty query parameters of the URL, abbreviated to 128 characters or less, minimally quoted to be used as a path;""",
                    2,
                )
                + "\n\nExample URL mappings:\n"
                + "".join(
                    [f"  - `{name}`:\n" + atom_example(name, 4) + "\n" for name in atom_test]
                ),
            )
        else:
            agrp.add_argument("-e", "--expr", dest="exprs", metavar="EXPR", action=AddExpr, type=str, default=[],
                help=_(f"an expression to compute, same expression format and semantics as `{__prog__} get --expr` (which see); can be specified multiple times; the default depends on `--remap-*` options below"),
            )
        if kind == "stream":
            add_terminator(cmd, "`--format=raw` `--expr` printing", "print `--format=raw` `--expr` output values")
            cmd.set_defaults(default_expr="dot")
        elif kind in ["mirror", "serve"]:
            add_separator(cmd, "rendering of `--expr` values", "render `--expr` values into outputs", short=False)
            cmd.set_defaults(default_expr="all")
        else:
            add_separator(cmd)
            cmd.set_defaults(default_expr="raw_sbody")
        def alias(what: str) -> str:
            return _("set the default value of `--expr` to `%s`") % (default_expr(kind, what),)
        agrp = cmd.add_argument_group("default value of `--expr`")
        grp = agrp.add_mutually_exclusive_group()
        if kind == "stream":
            grp.add_argument("--structure", dest="default_expr", action="store_const", const="dot",
                help=alias("dot") + _("; i.e. dump the whole structure; default"),
            )
        grp.add_argument("--raw-qbody", dest="default_expr", action="store_const", const="raw_qbody",
            help=alias("raw_qbody")
            + _("; i.e. produce the raw request body"),
        )
        grp.add_argument("--raw-sbody", "--no-remap", dest="default_expr", action="store_const", const="raw_sbody",
            help=alias("raw_sbody")
            + _("; i.e. produce the raw response body")
            + (_("; default") if kind in ["get", "run"] else ""),
        )
        grp.add_argument("--remap-id", dest="default_expr", action="store_const", const="id",
            help=alias("id")
            + _("; i.e. `scrub` response body as follows: remap all URLs with an identity function (which, as a whole, is NOT an identity function, it will transform all relative URLs into absolute ones), censor out all dynamic content (e.g. `JavaScript`); results will NOT be self-contained"),
        )
        grp.add_argument("--remap-void", dest="default_expr", action="store_const", const="void",
            help=alias("void")
            + _("; i.e. `scrub` response body as follows: remap all URLs into `javascript:void(0)` and empty `data:` URLs, censor out all dynamic content; results will be self-contained"),
        )
        if kind == "serve":
            grp.add_argument("--remap-semi", dest="default_expr", action="store_const", const="semi",
                help=alias("semi")
                + _("; i.e. `scrub` response body as follows: keeps all jump links pointing to unarchived URLs as-is, remap all other links and references to their replay URLs, censor out all dynamic content; results will be self-contained"),
            )
            grp.add_argument("--remap-all", dest="default_expr", action="store_const", const="all",
                help=alias("all")
                + _("; i.e. `scrub` response body as follows: remap all links and references to their replay URLs, even when they are not available in the index, censor out all dynamic content; results will be self-contained; default"),
            )
            return
        if kind != "mirror":
            return
        grp.add_argument("--remap-open", "-k", "--convert-links", dest="default_expr", action="store_const", const="open",
            help=alias("open")
            + _("; i.e. `scrub` response body as follows: remap all URLs present in input `PATH`s and reachable from `--root-*`s in no more that `--depth` steps to their corresponding `--output` paths, remap all other URLs like `--remap-id` does, censor out all dynamic content; results almost certainly will NOT be self-contained"),
        )
        grp.add_argument("--remap-closed", dest="default_expr", action="store_const", const="open",
            help=alias("closed")
            + _("; i.e. `scrub` response body as follows: remap all URLs present in input `PATH`s and reachable from `--root-*`s in no more that `--depth` steps to their corresponding `--output` paths, remap all other URLs like `--remap-void` does, censor out all dynamic content; results will be self-contained"),
        )
        grp.add_argument("--remap-semi", dest="default_expr", action="store_const", const="semi",
            help=alias("semi")
            + _("; i.e. `scrub` response body as follows: remap all jump links like `--remap-open` does, remap action links and references to page requisites like `--remap-closed` does, censor out all dynamic content; this is a better version of `--remap-open` which keeps the `mirror`s self-contained with respect to page requisites, i.e. generated pages can be opened in a web browser without it trying to access the Internet, but all navigations to missing and unreachable URLs will still point to the original URLs; results will be semi-self-contained"),
        )
        grp.add_argument("--remap-all", dest="default_expr", action="store_const", const="all",
            help=alias("all")
            + _(f"""; i.e. `scrub` response body as follows: remap all links and references like `--remap-closed` does, except, instead of voiding missing and unreachable URLs, replace them with fallback URLs whenever possble, censor out all dynamic content; results will be self-contained; default
`{__prog__} mirror` uses `--output` paths of trivial `GET <URL> -> 200 OK` as fallbacks for `&(jumps|actions|reqs)` options of `scrub`.
This will remap links pointing to missing and unreachable URLs to missing files.
However, for simple `--output` formats (like the default `hupq`), those files can later be generated by running `{__prog__} mirror` with `WRR` files containing those missing or unreachable URLs as inputs.
I.e. this behaviour allows you to add new data to an already existing mirror without regenerating old files that reference newly added URLs.
I.e. this allows `{__prog__} mirror` to be used incrementally.
Note however, that using fallbacks when the `--output` format depends on anything but the URL itself (e.g. if it mentions timestamps) will produce a mirror with unrecoverably broken links.
"""),
        )
        agrp = cmd.add_argument_group("link conversions")
        grp = agrp.add_mutually_exclusive_group()
        grp.add_argument("--relative", dest="absolute", action="store_const", const=False,
            help=_("when remapping URLs to local files, produce links and references with relative URLs (relative to the `--output` files under `OUTPUT_DESTINATION`); default when `--copy` or `--hardlink`"),
        )
        grp.add_argument("--absolute", dest="absolute", action="store_const", const=True,
            help=_("when remapping URLs to local files, produce links and references with absolute URLs; default when `--symlink`"),
        )
        cmd.set_defaults(absolute=None)
    # get
    cmd = subparsers.add_parser("get",
        help=_("print values produced by evaluating given expressions on a given input"),
        description=_("""Print results produced by evaluating given `EXPR`essions on a given input to stdout.
Algorithm:
- Load input `PATH`;
- evaluate all `EXPR` expressions on the resulting reqres;
- print all the results to stdout, terminating each value as specified.
The end.
"""),
    )
    add_sniff(cmd, "get")
    add_expr(cmd, "get")
    cmd.add_argument("path", metavar="PATH", type=str,
        help=_("input `WRR` file path"),
    )
    cmd.set_defaults(func=cmd_get)
    # run
    cmd = subparsers.add_parser("run", aliases=["spawn"],
        help=_("spawn a process with temporary files generated from given expressions evaluated on given inputs"),
        description=_("""Spawn `COMMAND` with given static `ARG`uments and `NUM` additional arguments generated by evaluating given `EXPR`essions on given `PATH`s into temporary files.
Algorithm:
- Load `NUM` given `PATH`s (`--num-args` decides the point at which `argv` get split into `ARG`s and `PATH`s);
- for each of `NUM` resulting reqres:
  - evaluate `EXPR` expressions;
  - write the results into a newly generated temporary file, terminating each value as specified;
- spawn given `COMMAND` with given `ARG` arguments and `NUM` additional arguments that are paths of the files generated in the previous step,
- wait for it to finish,
- delete the temporary files,
- exit with the return code of the spawned process.
The end.
Essentially, this is `{__prog__} get` into a temporary file for each given `PATH`, followed by spawning of `COMMAND`, followed by cleanup when it finishes.
"""),
    )
    add_sniff(cmd, "run")
    add_expr(cmd, "run")
    cmd.add_argument("-n", "--num-args", metavar="NUM", type=int, default=1,
        help=_("number of `PATH`s; default: `%(default)s`"),
    )
    cmd.add_argument("command", metavar="COMMAND", type=str,
        help=_("command to spawn")
    )
    cmd.add_argument("args", metavar="ARG", nargs="*", type=str,
        help=_("static arguments to give to the `COMMAND`"),
    )
    cmd.add_argument("paths", metavar="PATH", nargs="+", type=str,
        help=_("input `WRR` file paths to be mapped into new temporary files"),
    )
    cmd.set_defaults(func=cmd_run)
    # stream
    cmd = subparsers.add_parser("stream",
        help=_(f"stream lists containing values produced by evaluating given expressions on given inputs, a generalized `{__prog__} get`"),
        description=_("""Stream lists of results produced by evaluating given `EXPR`essions on given inputs to stdout.
Algorithm:
- For each input `PATH`:
  - load it;
  - evaluate all `EXPR` expressions on the resulting reqres;
  - encode the resulting list into a requested `FORMAT`;
  - print it to stdout.
The end.
Esentially, this is a generalized `{__prog__} get`.
"""),
    )
    add_pure(cmd)
    add_common(cmd, "stream", "stream-print reqres when")
    add_abridged(cmd)
    cmd.add_argument("--format", metavar="FORMAT", choices=["py", "cbor", "json", "raw"], default="py",
        help=_("""generate output in:
- py: Pythonic Object Representation aka `repr`; default
- cbor: Concise Binary Object Representation aka `CBOR` (RFC8949)
- json: JavaScript Object Notation aka `JSON`; **binary data can't be represented, UNICODE replacement characters will be used**
- raw: concatenate raw values; termination is controlled by `*-terminated` options
"""),
    )
    add_expr(cmd, "stream")
    cmd.set_defaults(func=cmd_stream)
    # find
    cmd = subparsers.add_parser("find",
        help=_("print paths of inputs matching specified criteria"),
        description=_("""Print paths of inputs matching specified criteria.
Algorithm:
- For each input `PATH`:
  - load it;
  - check this reqres satisfies given filters and skip it if it does not,
  - print its path to stdout.
The end.
"""),
    )
    add_pure(cmd)
    add_common(cmd, "find", "print path of reqres when")
    add_terminator(cmd, "found files printing", "print absolute paths of matching `WRR` files", allow_not=False)
    cmd.set_defaults(sniff=SniffContentType.NONE)
    cmd.set_defaults(func=cmd_find)
    def add_organize_memory(cmd: _t.Any, max_deferred: int = 1024, max_batch: int = 128) -> None:
        agrp = cmd.add_argument_group("caching, deferring, and batching")
        agrp.add_argument("--seen-number", metavar="INT", dest="max_seen", type=int, default=16384,
            help=_(f"""track at most this many distinct generated `--output` values; default: `%(default)s`;
making this larger improves disk performance at the cost of increased memory consumption;
setting it to zero will force force `{__prog__}` to constantly re-check existence of `--output` files and force `{__prog__}` to execute  all IO actions immediately, disregarding `--defer-number` setting"""),
        )
        agrp.add_argument("--cache-number", metavar="INT", dest="max_cached", type=int, default=8192,
            help=_(f"""cache `stat(2)` information about this many files in memory; default: `%(default)s`;
making this larger improves performance at the cost of increased memory consumption;
setting this to a too small number will likely force `{__prog__}` into repeatedly performing lots of `stat(2)` system calls on the same files;
setting this to a value smaller than `--defer-number` will not improve memory consumption very much since deferred IO actions also cache information about their own files
"""),
        )
        agrp.add_argument("--defer-number", metavar="INT", dest="max_deferred", type=int, default=max_deferred,
            help=_("""defer at most this many IO actions; default: `%(default)s`;
making this larger improves performance at the cost of increased memory consumption;
setting it to zero will force all IO actions to be applied immediately"""),
        )
        agrp.add_argument("--batch-number", metavar="INT", dest="max_batched", type=int, default=max_batch,
            help=_("""queue at most this many deferred IO actions to be applied together in a batch; this queue will only be used if all other resource constraints are met; default: `%(default)s`"""),
        )
        agrp.add_argument("--max-memory", metavar="INT", dest="max_memory", type=int, default=1024,
            help=_("""the caches, the deferred actions queue, and the batch queue, all taken together, must not take more than this much memory in MiB; default: `%(default)s`;
making this larger improves performance;
the actual maximum whole-program memory consumption is `O(<size of the largest reqres> + <--seen-number> + <sum of lengths of the last --seen-number generated --output paths> + <--cache-number> + <--defer-number> + <--batch-number> + <--max-memory>)`"""),
        )
        agrp.add_argument("--lazy", action="store_true",
            help=_(f"""sets all of the above options to positive infinity;
most useful when doing `{__prog__} organize --symlink --latest --output flat` or similar, where the number of distinct generated `--output` values and the amount of other data `{__prog__}` needs to keep in memory is small, in which case it will force `{__prog__}` to compute the desired file system state first and then perform all disk writes in a single batch"""),
        )
    def add_fileout(cmd: _t.Any, kind: str) -> None:
        if kind == "serve":
            agrp = cmd.add_argument_group("file output options")
            grp = agrp.add_mutually_exclusive_group()
            grp.add_argument("--compress", dest="compression", action="store_const", const=True,
                help="compress new archivals before dumping them to disk; default",
            )
            grp.add_argument("--no-compress", "--uncompressed", dest="compression", action="store_const", const=False,
                help="dump new archivals to disk without compression",
            )
            cmd.set_defaults(compression=True)
        agrp = cmd.add_argument_group("file outputs")
        if kind == "organize":
            agrp.add_argument("-t", "--to", f"--{kind}-to", dest="destination", metavar="OUTPUT_DESTINATION", type=str,
                help=_("destination directory; when unset each source `PATH` must be a directory which will be treated as its own `OUTPUT_DESTINATION`"),
            )
            agrp.add_argument("-o", "--output", metavar="OUTPUT_FORMAT", default="default", type=str,
                help=_("""format describing generated output paths, an alias name or "format:" followed by a custom pythonic %%-substitution string:""")
                + "\n- "
                + _("available aliases and corresponding %%-substitutions:")
                + "\n"
                + "".join(
                    [
                        f"  - `{name}`{' ' * (12 - len(name))}: `{value.replace('%', '%%')}`"
                        + ("; the default" if name == "default" else "")
                        + "\n"
                        + output_example(name, 8)
                        + "\n"
                        for name, value in output_alias.items()
                    ]
                )
                + "- "
                + _("available substitutions:")
                + "\n  - "
                + _(f"all expressions of `{__prog__} get --expr` (which see)")
                + ";\n  - `num`: "
                + _("number of times the resulting output path was encountered before; adding this parameter to your `--output` format will ensure all generated file names will be unique"),
            )
        elif kind in ["import", "mirror", "serve"]:
            if kind != "serve":
                agrp.add_argument("-t", "--to", f"--{kind}-to", dest="destination", metavar="OUTPUT_DESTINATION", type=str, required=True,
                    help=_("destination directory; required"),
                )
            else:
                agrp.add_argument("-t", "--to", "--archive-to", dest="destination", metavar="ARCHIVE_DESTINATION", type=str,
                    help=_("archiving destination directory; if left unset, which is the default, then archiving server support will be disabled"),
                )
                agrp.add_argument("-i", "--implicit", action="store_true",
                    help=_("prepend `ARCHIVE_DESTINATION` to the list of input `PATH`s"),
                )
            def_def = "hupq_n" if kind == "mirror" else "default"
            agrp.add_argument("-o", "--output", metavar="OUTPUT_FORMAT", default=def_def, type=str,
                help=_(f"""format describing generated output paths, an alias name or "format:" followed by a custom pythonic %%-substitution string; same expression format as `{__prog__} organize --output` (which see); default: `%(default)s`"""),
            )
        else:
            assert False
        add_terminator(cmd, "new `--output`s printing", "print absolute paths of newly produced or replaced files", allow_not=False, allow_none=True)
        if kind == "serve":
            return
        agrp = cmd.add_argument_group("updates to `--output`s")
        grp = agrp.add_mutually_exclusive_group()
        def_disallow = _("disallow overwrites and replacements of any existing files under `OUTPUT_DESTINATION`, i.e. only ever create new files under `OUTPUT_DESTINATION`, producing errors instead of attempting any other updates; default")
        def def_dangerous(what: str) -> str:
            return _(f"DANGEROUS! not recommended, {what} to a new `OUTPUT_DESTINATION` with the default `--no-overwrite` and then `rsync`ing some of the files over to the old `OUTPUT_DESTINATION` is a safer way to do this")
        if kind == "organize":
            grp.add_argument("--no-overwrite", dest="allow_updates", action="store_const", const=False,
                help=def_disallow
                + ";\n"
                + _("""`--output` targets that are broken symlinks will be considered to be non-existent and will be replaced;
when the operation's source is binary-eqivalent to the `--output` target, the operation will be permitted, but the disk write will be reduced to a noop, i.e. the results will be deduplicated;
the `dirname` of a source file and the `--to` target directories can be the same, in that case the source file will be renamed to use new `--output` name, though renames that attempt to swap files will still fail
"""),
            )
            grp.add_argument("--latest", dest="allow_updates", action="store_const", const=True,
                help=_("""replace files under `OUTPUT_DESTINATION` with their latest version;
this is only allowed in combination with `--symlink` at the moment;
for each source `PATH` file, the destination `--output` file will be replaced with a symlink to the source if and only if `stime_ms` of the source reqres is newer than `stime_ms` of the reqres stored at the destination file
"""),
            )
        elif kind == "import":
            grp.add_argument("--no-overwrite", dest="allow_updates", action="store_const", const=False,
                help=def_disallow,
            )
            grp.add_argument("--overwrite-dangerously", dest="allow_updates", action="store_const", const=True,
                help=_("permit overwrites to files under `OUTPUT_DESTINATION`")
                + ";\n"
                + def_dangerous("importing"),
            )
        elif kind == "mirror":
            grp.add_argument("--no-overwrite", dest="allow_updates", action="store_const", const=False,
                help=def_disallow
                + ";\n"
                + _("""repeated `mirror`s of the same targets with the same parameters (which, therefore, will produce the same `--output` data) are allowed and will be reduced to noops;
however, trying to overwrite existing files under `OUTPUT_DESTINATION` with any new data will produce errors;
this allows reusing the `OUTPUT_DESTINATION` between unrelated `mirror`s and between `mirror`s that produce the same data on disk in their common parts
"""),
            )
            grp.add_argument("--skip-existing", "--partial", dest="allow_updates", action="store_const", const="partial",
                help=_("""skip rendering of targets which have a corresponding file under `OUTPUT_DESTINATION`, use the contents of such files instead;
using this together with `--depth` is likely to produce a partially broken result, since skipping of a document will also skip all of the things it references;
on the other hand, this is quite useful when growing a partial mirror generated with `--remap-all`
"""),
            )
            grp.add_argument("--overwrite-dangerously", dest="allow_updates", action="store_const", const=True,
                help=_("mirror all targets while permitting overwriting of old `--output` files under `OUTPUT_DESTINATION`")
                + ";\n"
                + def_dangerous("mirroring"),
            )
        cmd.set_defaults(allow_updates=False)
    # organize
    cmd = subparsers.add_parser("organize",
        help=_("programmatically copy/rename/move/hardlink/symlink given input files based on their metadata and/or contents"),
        description=_(f"""Programmatically copy/rename/move/hardlink/symlink given input files based on their metadata and/or contents.
Algorithm:
- For each input `PATH`:
  - load it;
  - check this reqres satisfies given filters and skip it if it does not,
  - copy/rename/move/hardlink/symlink each file to `OUTPUT_DESTINATION` with the new path derived from each reqres' metadata.
The end.
Operations that could lead to accidental data loss are not permitted.
E.g. `{__prog__} organize --move` will not overwrite any files, which is why the default `--output` contains `%(num)d`.
"""),
    )
    add_organize_memory(cmd)
    add_impure(cmd)
    add_common(cmd, "organize", "organize reqres when")
    agrp = cmd.add_argument_group("action")
    grp = agrp.add_mutually_exclusive_group()
    grp.add_argument("--move", dest="action", action="store_const", const="move",
        help=_("move source files under `OUTPUT_DESTINATION`; default"),
    )
    grp.add_argument("--copy", dest="action", action="store_const", const="copy",
        help=_("copy source files to files under `OUTPUT_DESTINATION`"),
    )
    grp.add_argument("--hardlink", dest="action", action="store_const", const="hardlink",
        help=_("create hardlinks from source files to paths under `OUTPUT_DESTINATION`"),
    )
    grp.add_argument("--symlink", dest="action", action="store_const", const="symlink",
        help=_("create symlinks from source files to paths under `OUTPUT_DESTINATION`"),
    )
    cmd.set_defaults(action="move")
    add_fileout(cmd, "organize")
    cmd.set_defaults(func=cmd_organize)
    def add_import_args(cmd: _t.Any) -> None:
        add_organize_memory(cmd, 0, 1024)
        add_impure(cmd)
        add_common(cmd, "import", "import reqres when")
        add_fileout(cmd, "import")
    # import
    supcmd = subparsers.add_parser("import",
        help=_("convert other `HTTP` archive formats into `WRR`"),
        description=_(f"""Use specified parser to parse data in each `INPUT` `PATH` into (a sequence of) reqres and then generate and place their `WRR` dumps into separate `WRR` files under `OUTPUT_DESTINATION` with paths derived from their metadata.
In short, this is `{__prog__} organize --copy` for `INPUT` files that use different files formats."""),
    )
    supsub = supcmd.add_subparsers(title="file formats")
    cmd = supsub.add_parser("wrrb", aliases=["bundle"],
        help=_("convert `WRR` bundles into separate `WRR` files"),
        description=_("""Parse each `INPUT` `PATH` as a `WRR` bundle (an optionally compressed sequence of `WRR` dumps) and then generate and place their `WRR` dumps into separate `WRR` files under `OUTPUT_DESTINATION` with paths derived from their metadata."""),
    )
    add_import_args(cmd)
    cmd.set_defaults(func=cmd_import_bundle)
    cmd = supsub.add_parser("mitmproxy", aliases=["mitmdump"],
        help=_("convert `mitmproxy` stream dumps (files produced by `mitmdump`) into `WRR` files"),
        description=_("""Parse each `INPUT` `PATH` as `mitmproxy` stream dump (by using `mitmproxy`'s own parser) into a sequence of reqres and then generate and place their `WRR` dumps into separate `WRR` files under `OUTPUT_DESTINATION` with paths derived from their metadata."""),
    )
    add_import_args(cmd)
    cmd.set_defaults(func=cmd_import_mitmproxy)
    def add_index_memory(cmd: _t.Any) -> None:
        agrp = cmd.add_argument_group("caching")
        agrp.add_argument("--max-memory", metavar="INT", dest="max_memory", type=int, default=1024,
            help=_("""the caches, all taken together, must not take more than this much memory in MiB; default: `%(default)s`;
making this larger improves performance;
the actual maximum whole-program memory consumption is `O(<size of the largest reqres> + <numer of indexed files> + <sum of lengths of all their --output paths> + <--max-memory>)`"""),
        )
    # mirror
    cmd = subparsers.add_parser("mirror",
        help=_("convert given inputs into a local offline static website mirror stored in interlinked files, a-la `wget -mpk`"),
        description=_(f"""Generate a local offline static website mirror from given intuts, producing results similar to those of `wget -mpk`.
Algorithm:
- index all given inputs, for each input `PATH`:
  - load it;
  - check this reqres satisfies given filters and skip it if it does not,
  - if there are no root filters set or if it satisfies given root filters, queue it for mirroring;
  - either remember its location (or, for some types of files, its contents) for future use or forget about it (e.g., if running with `--latest` and this input is older than the already indexed one);
- then, for each reqres in the queue, mirror it:
  - evaluate all `EXPR` expressions on the reqres (which, by default, takes its response body and rewrites all links to point to locally mirrored files);
  - if the document being mirrored has resource requisites, mirror them recursively,
  - if the document being mirrored references other documents and the current depth is smaller than `DEPTH`, queue those documents for mirroring too,
  - write the result of evaluating `EXPR`s into a separate file under `OUTPUT_DESTINATION` with its path derived from reqres' metadata.
The end.
Essentially, this is a combination of `{__prog__} organize --copy` followed by in-place `{__prog__} get` which has the advanced URL remapping capabilities of `(*|/|&)(jumps|actions|reqs)` options available in its `scrub` function.
"""),
    )
    add_index_memory(cmd)
    add_impure(cmd)
    add_common(cmd, "mirror", "consider reqres for mirroring when")
    add_expr(cmd, "mirror")
    agrp = cmd.add_argument_group("mirror what")
    grp = agrp.add_mutually_exclusive_group()
    def which(x: str) -> str:
        return _(f"for each URL, mirror {x}")
    oldest = which("its oldest available version")
    near = which("an available version that is closest to the given `INTERVAL_DATE` value")
    near_long = near + interval_date_spec
    near_short = near + interval_date_spec_id
    latest = which("its latest available version")
    hybrid = _(", except, for each URL that is a requisite resource, mirror a version that is time-closest to the referencing document")
    hybrid_long = hybrid + _("; i.e., this will make each mirrored page refer to requisites (images, media, `CSS`, fonts, etc) that were archived around the time the page itself was archived, even if those requisite resources changed in time; this produces results that are as close to the original web page as possible at the cost of much more memory to `mirror`")
    hybrid_short = hybrid + _("; see `--oldest-hybrid` above for more info")
    class EmitNear(argparse.Action):
        def __call__(
            self,
            parser: _t.Any,
            cfg: argparse.Namespace,
            value: _t.Any,
            option_string: _t.Optional[str] = None,
        ) -> None:
            setattr(cfg, self.dest, self.const(timerange(value).middle))
    grp.add_argument("--oldest", dest="mode", action="store_const", const=(True, anytime.start),
        help=oldest,
    )
    grp.add_argument("--oldest-hybrid", dest="mode", action="store_const", const=(False, anytime.start),
        help=oldest + hybrid_long,
    )
    grp.add_argument("--nearest", dest="mode", metavar="INTERVAL_DATE", action=EmitNear, const=lambda x: (True, x),
        help=near_long,
    )
    grp.add_argument("--nearest-hybrid", dest="mode", metavar="INTERVAL_DATE", action=EmitNear, const=lambda x: (False, x),
        help=near_short + hybrid_short,
    )
    grp.add_argument("--latest", dest="mode", action="store_const", const=(True, anytime.end),
        help=latest + _("; default"),
    )
    grp.add_argument("--latest-hybrid", dest="mode", action="store_const", const=(False, anytime.end),
        help=latest + hybrid_short,
    )
    grp.add_argument("--all", dest="mode", action="store_const", const=(False, None),
        help=_("mirror all available versions of all available URLs; this is likely to take a lot of time and eat a lot of memory!"),
    )
    cmd.set_defaults(mode=(True, anytime.end))  # `--latest`
    add_fileout(cmd, "mirror")
    agrp = cmd.add_argument_group("content-addressed file output mode")
    agrp.add_argument("--copy", dest="content_action", action="store_const", const="copy",
        help=_("do not use content-addressed outputs, simply write rendered output data to files under `OUTPUT_DESTINATION`"),
    )
    agrp.add_argument("--hardlink", dest="content_action", action="store_const", const="hardlink",
        help=_("write rendered output data to files under `CONTENT_DESTINATION`, then hardlink them to paths under `OUTPUT_DESTINATION`; default"),
    )
    agrp.add_argument("--symlink", dest="content_action", action="store_const", const="symlink",
        help=_("write rendered output data to files under `CONTENT_DESTINATION`, then symlink them to paths under `OUTPUT_DESTINATION`"),
    )
    cmd.set_defaults(content_action="hardlink")
    agrp = cmd.add_argument_group("content-addressed file output settings")
    agrp.add_argument("--content-to", dest="content_destination", metavar="CONTENT_DESTINATION", type=str,
        help=_("content-addressed destination directory; if not specified, reuses `OUTPUT_DESTINATION`"),
    )
    agrp.add_argument("--content-output", metavar="CONTENT_FORMAT", default="default", type=str,
        help=_("""format describing generated content-addressed output paths, an alias name or "format:" followed by a custom pythonic %%-substitution string:""")
        + "\n- "
        + _("available aliases and corresponding %%-substitutions:")
        + "\n"
        + "".join(
            [
                f"  - `{name}`{' ' * (12 - len(name))}: `{value.replace('%', '%%')}`"
                + ("; the default" if name == "default" else "")
                + "\n"
                for name, value in content_output_alias.items()
            ]
        )
        + "- "
        + _("available substitutions:")
        + "\n  - "
        + _(f"all expressions of `{__prog__} get --expr` (which see)")
        + ";\n  - `content`: "
        + _("rendered content")
        + "\n  - `content_sha256`: "
        + _("alias for `content|sha256`"),
    )
    add_filters(cmd, "take reqres as a root when", True)
    agrp = cmd.add_argument_group("recursion depth")
    agrp.add_argument("-d", "--depth", metavar="DEPTH", type=int, default=0,
        help=_('maximum recursion depth level; the default is `0`, which means "`--root-*` documents and their requisite resources only"; setting this to `1` will also mirror one level of documents referenced via jump and action links, if those are being remapped to local files with `--remap-*`; higher values will mean even more recursion'),
    )
    cmd.set_defaults(func=cmd_mirror)
    # serve
    cmd = subparsers.add_parser("serve",
        help=_("run an archiving server and/or serve given input files for replay over HTTP"),
        description=_("""Run an archiving server and/or serve given input files for replay over HTTP.
Algorithm:
- index all given inputs, for each input `PATH`:
  - load it;
  - check this reqres satisfies given filters and skip it if it does not,
  - remember its location (or, for some types of files, its contents) for future use;
- start listering on given host and port for:
  - replay requests on `GET /web/<selector>/<url>`;
- for each replay request:
  - if `selector` ends with `*`:
    - interpret `selector` as a time interval;
    - interpret `url` as glob pattern;
    - show a page with all indexed visits to URLs matching the pattern in the interval;
  - otherwise:
    - if `url` has indexed visits, respond with data most closely matching the given `selector`;
    - otherwise:
      - if `url` contains `*`, interpret it as a glob pattern;
      - otherwise, generate a glob pattern by chopping away less important parts of the current `url`;
      - show a `Not Found` page with a list of similar URLs and visits matching the pattern.
The end.
"""),
    )
    cmd.add_argument("-q", "--quiet", action="store_true",
        help=_("don't don't print end-of-filtering warnings, don't print optional informational messages, and don't log HTTP requests to stderr"),
    )
    add_index_memory(cmd)
    add_common(cmd, "serve", "make reqres available when")
    agrp = cmd.add_argument_group("`HTTP` server options")
    agrp.add_argument("--host", type=str, default="127.0.0.1",
        help=_("listen on what host/IP; default: `%(default)s`"),
    )
    agrp.add_argument("--port", type=int, default=3210,
        help=_("listen on what port; default: `%(default)s`"),
    )
    agrp.add_argument("--debug-bottle", action="store_true",
        help=_("run with `bottle`'s debugging enabled"),
    )
    add_expr(cmd, "serve")
    agrp = cmd.add_argument_group("buckets")
    agrp.add_argument("--default-bucket", "--default-profile", metavar="NAME", default="default", type=str,
        help=_("default bucket name to use when a client does not specify any; default: `%(default)s`"),
    )
    agrp.add_argument("--ignore-buckets", "--ignore-profiles", action="store_true",
        help=_("ignore bucket names specified by clients and always use `--default-bucket` instead"),
    )
    add_fileout(cmd, "serve")
    agrp = cmd.add_argument_group("replay what")
    grp = agrp.add_mutually_exclusive_group()
    fiar = "for each URL, index and replay only"
    grp.add_argument("--no-replay", dest="replay", action="store_const", const=False,
        help=_("disable replay functionality, makes this into an archive-only server, like `hoardy-web-sas` is"),
    )
    grp.add_argument("--oldest", dest="replay", action="store_const", const=anytime.start,
        help=_(f"{fiar} the oldest visit; if `--to` is set, archiving a new visit for a URL will keep the indexed and replayable version as-is"),
    )
    grp.add_argument("--nearest", dest="replay", metavar="INTERVAL_DATE", action=EmitNear, const=lambda x: x,
        help=_(f"{fiar} the visit closest to the given `INTERVAL_DATE` value; if `--to` is set, archiving a new visit for a URL will replace the indexed and replayable version if `INTERVAL_DATE` is in the future and keep it as-is otherwise")
        + interval_date_spec,
    )
    grp.add_argument("--latest", dest="replay", action="store_const", const=anytime.end,
        help=_("{fiar} the latest visit; if `--to` is set, archiving a new visit for a URL will replace the indexed and replayable version with a new one"),
    )
    grp.add_argument("--all", dest="replay", action="store_const", const=None,
        help=_("index and replay all visits to all available URLs; if `--to` is given, archiving a new visit for a URL will update the index and make the new visit available for replay; default"),
    )
    cmd.set_defaults(replay=None)  # --all
    agrp = cmd.add_argument_group("replay how")
    agrp.add_argument("--web", dest="web_replay", action="store_const", const=True,
        help=_("replay `HTTP` responses as close as possible to their original captures; default"),
    )
    agrp.add_argument("--mirror", dest="web_replay", action="store_const", const=False,
        help=_(f"replay `HTTP` responses like `{__prog__} mirror` does; setting this option will disable replay of all `HTTP` headers except for `Location` and enable `inline_headers` option in `scrub` calls used in default `EXPR`s, similar to `{__prog__} mirror`; i.e., enabling this option will, essentially, turn this sub-command into an on-demand `{__prog__} mirror` which you can query with `curl` or some such"),
    )
    cmd.set_defaults(web_replay=True)
    cmd.set_defaults(func=cmd_serve)
    # fmt: on
    return parser
def main() -> None:
    setup_result = setup_kisstdlib(__prog__, do_setup_delay_signals=False)
    setup_delay_signals(["SIGTERM", "SIGINT", "SIGBREAK", "SIGUSR1"])
    run_kisstdlib_main(
        setup_result,
        argparse.make_argparser_and_run,
        make_argparser,
        lambda cargs: cargs.func(cargs),
    )
if __name__ == "__main__":
    main()