1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278
|
#!/usr/bin/env python3
# Copyright 2014-2021 The aiosmtpd Developers
# SPDX-License-Identifier: Apache-2.0
import argparse
import inspect
import os
import pprint
import shutil
import sys
from pathlib import Path
try:
# noinspection PyPackageRequirements
from colorama import ( # pytype: disable=import-error
Fore,
Style,
init as colorama_init,
)
except ImportError:
colorama_init = None
class Fore: # noqa: PIE795
CYAN = "\x1b[1;96m"
GREEN = "\x1b[1;92m"
YELLOW = "\x1b[1;93m"
class Style: # noqa: PIE795
BRIGHT = "\x1b[1m"
RESET_ALL = "\x1b[0m"
DUMP_DIR = "_dump"
TOX_ENV_NAME = os.environ.get("TOX_ENV_NAME", None)
# These dirs will be processed if exists, so no need to remove old entries.
# I suggest keeping them to clean up old artefacts just in case.
WORKDIRS = (
".mypy_cache",
".pytype",
".pytest-cache", # <-+-- One of these is a typo
".pytest_cache", # <-+ Keep them both just in case
".tox",
DUMP_DIR,
"_dynamic", # Pre 1.4.0a4
"aiosmtpd.egg-info",
"build",
"dist",
"htmlcov",
"prof", # Only if "profile" testenv ran
)
WORKFILES = (
".coverage",
".coverage.*",
"coverage.xml",
"diffcov.html",
"coverage-*.xml",
"diffcov-*.html",
)
TERM_WIDTH, TERM_HEIGHT = shutil.get_terminal_size()
# region #### Helper funcs ############################################################
def deldir(targ: Path, verbose: bool = True):
if not targ.exists():
return
rev_items = sorted(targ.rglob("*"), reverse=True)
for i, pp in enumerate(rev_items, start=1):
if pp.is_symlink():
pp.unlink()
elif pp.is_file():
pp.chmod(0o600)
pp.unlink()
elif pp.is_dir():
pp.chmod(0o700)
pp.rmdir()
else:
raise RuntimeError(f"Don't know how to handle '{pp}'")
if verbose and ((i & 0x3FF) == 0):
print(".", end="", flush=True)
targ.rmdir()
# endregion
# region #### Functional blocks #######################################################
def dump_env():
dumpdir = Path(DUMP_DIR)
dumpdir.mkdir(exist_ok=True)
with (dumpdir / f"ENV.{TOX_ENV_NAME}.py").open("wt") as fout:
print("ENV = \\", file=fout)
pprint.pprint(dict(os.environ), stream=fout)
def move_prof(verbose: bool = False):
"""Move profiling files to per-testenv dirs"""
profpath = Path("prof")
# fmt: off
prof_files = [
filepath
for fileglob in ("*.prof", "*.svg")
for filepath in profpath.glob(fileglob)
]
# fmt: on
if not prof_files:
return
targpath = profpath / TOX_ENV_NAME
if verbose:
print(f"Gathering to {targpath} ...", end="", flush=True)
os.makedirs(targpath, exist_ok=True)
for f in targpath.glob("*"):
f.unlink()
for f in prof_files:
if verbose:
print(".", end="", flush=True)
f.rename(targpath / f.name)
if verbose:
print(flush=True)
def pycache_clean(verbose=False):
"""Cleanup __pycache__ dirs & bytecode files (if any)"""
aiosmtpdpath = Path(".")
for i, f in enumerate(aiosmtpdpath.rglob("*.py[co]"), start=1):
if verbose and ((i & 0xFF) == 0):
print(".", end="", flush=True)
f.unlink()
for i, d in enumerate(aiosmtpdpath.rglob("__pycache__"), start=1):
if verbose and ((i & 0x7) == 0):
print(".", end="", flush=True)
deldir(d, verbose)
if verbose:
print(flush=True)
def rm_work():
"""Remove work dirs & files. They are .gitignore'd anyways."""
print(f"{Style.BRIGHT}Removing work dirs ... ", end="", flush=True)
# The reason we list WORKDIRS explicitly is because we don't want to accidentally
# bork IDE workdirs such as .idea/ or .vscode/
for dd in WORKDIRS:
print(dd, end="", flush=True)
deldir(Path(dd))
print(" ", end="", flush=True)
print(f"\n{Style.BRIGHT}Removing work files ...", end="", flush=True)
for fnglob in WORKFILES:
for fp in Path(".").glob(fnglob):
print(".", end="", flush=True)
fp.exists() and fp.unlink()
print(flush=True)
# endregion
# region #### Dispatchers #############################################################
def dispatch_prep():
"""
Prepare work directories and dump env vars
"""
dump_env()
def dispatch_gather():
"""
Gather inspection results into per-testenv dirs
"""
move_prof()
def dispatch_remcache():
"""
Remove all .py[co] files and all __pycache__ dirs
"""
pycache_clean()
def dispatch_superclean():
"""
Total cleaning of all test artifacts
"""
if TOX_ENV_NAME is not None:
raise RuntimeError("Do NOT run this inside tox!")
print(f"{Style.BRIGHT}Running pycache cleanup ...", end="")
pycache_clean(verbose=True)
rm_work()
# endregion
def get_opts(argv):
# From: https://stackoverflow.com/a/49999185/149900
class NoAction(argparse.Action):
def __init__(self, **kwargs):
kwargs.setdefault("default", argparse.SUPPRESS)
kwargs.setdefault("nargs", 0)
super().__init__(**kwargs)
def __call__(self, *args, **kwargs):
pass
dispers = {
name.replace("dispatch_", ""): inspect.getdoc(obj)
for name, obj in inspect.getmembers(sys.modules[__name__])
if name.startswith("dispatch_") and inspect.isfunction(obj)
}
parser = argparse.ArgumentParser()
parser.register("action", "no_action", NoAction)
parser.add_argument(
"--force", "-F", action="store_true", help="Force action even if in CI"
)
parser.add_argument(
"-A",
"--afterbar",
dest="afterbar",
default=0,
action="count",
help="Print horizontal bar after action. Repeat this option for more bars.",
)
# From: https://stackoverflow.com/a/49999185/149900
parser.add_argument(
"cmd", metavar="COMMAND", choices=sorted(dispers.keys()), help="(See below)"
)
cgrp = parser.add_argument_group(title="COMMAND is one of")
for name, doc in sorted(dispers.items()):
cgrp.add_argument(name, help=doc, action="no_action")
return parser.parse_args(argv)
def python_interp_details():
print(f"{Fore.CYAN}\u259E\u259E\u259E Python interpreter details:")
details = sys.version.splitlines() + sys.executable.splitlines()
for ln in details:
print(f" {Fore.CYAN}{ln}")
print(Style.RESET_ALL, end="", flush=True)
if __name__ == "__main__":
colorama_init is None or colorama_init(autoreset=True)
python_interp_details()
opts = get_opts(sys.argv[1:])
if os.environ.get("CI") == "true":
if not opts.force:
# All the housekeeping steps are pointless on Travis CI / GitHub Actions;
# they build and tear down their VMs everytime anyways.
print(
f"{Fore.YELLOW}Skipping housekeeping because we're in CI and "
f"--force not specified"
)
sys.exit(0)
else:
print(f"{Fore.YELLOW}We're in CI but --force is specified")
print(
f"{Fore.GREEN}>>> "
f"{Path(__file__).name} {opts.cmd}{Style.RESET_ALL}",
flush=True,
)
dispatcher = globals().get(f"dispatch_{opts.cmd}")
dispatcher()
for _ in range(opts.afterbar):
print(Fore.CYAN + ("\u2550" * (TERM_WIDTH - 1)))
# Defensive reset
print(Style.RESET_ALL, end="", flush=True)
|