56 lines
1.8 KiB
Python
56 lines
1.8 KiB
Python
import asyncio
|
|
import logging
|
|
import sys
|
|
|
|
from mitmproxy import log
|
|
from mitmproxy.contrib import click as miniclick
|
|
from mitmproxy.utils import vt_codes
|
|
|
|
|
|
class ErrorCheck:
|
|
"""Monitor startup for error log entries, and terminate immediately if there are some."""
|
|
|
|
repeat_errors_on_stderr: bool
|
|
"""
|
|
Repeat all errors on stderr before exiting.
|
|
This is useful for the console UI, which otherwise swallows all output.
|
|
"""
|
|
|
|
def __init__(self, repeat_errors_on_stderr: bool = False) -> None:
|
|
self.repeat_errors_on_stderr = repeat_errors_on_stderr
|
|
|
|
self.logger = ErrorCheckHandler()
|
|
self.logger.install()
|
|
|
|
def finish(self):
|
|
self.logger.uninstall()
|
|
|
|
async def shutdown_if_errored(self):
|
|
# don't run immediately, wait for all logging tasks to finish.
|
|
await asyncio.sleep(0)
|
|
if self.logger.has_errored:
|
|
plural = "s" if len(self.logger.has_errored) > 1 else ""
|
|
if self.repeat_errors_on_stderr:
|
|
message = f"Error{plural} logged during startup:"
|
|
if vt_codes.ensure_supported(sys.stderr): # pragma: no cover
|
|
message = miniclick.style(message, fg="red")
|
|
details = "\n".join(
|
|
self.logger.format(r) for r in self.logger.has_errored
|
|
)
|
|
print(f"{message}\n{details}", file=sys.stderr)
|
|
else:
|
|
print(
|
|
f"Error{plural} logged during startup, exiting...", file=sys.stderr
|
|
)
|
|
|
|
sys.exit(1)
|
|
|
|
|
|
class ErrorCheckHandler(log.MitmLogHandler):
|
|
def __init__(self) -> None:
|
|
super().__init__(logging.ERROR)
|
|
self.has_errored: list[logging.LogRecord] = []
|
|
|
|
def emit(self, record: logging.LogRecord) -> None:
|
|
self.has_errored.append(record)
|