5d1ec8be932e5d48f3ecf901d55e246ef83373a2
[pyutils.git] / src / pyutils / logging_utils.py
1 #!/usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 # pylint: disable=redefined-variable-type
4
5 # © Copyright 2021-2023, Scott Gasch
6
7 """
8 This is a module that offers an opinionated take on how whole program
9 logging should be initialized and controlled.  It uses the standard
10 Python :mod:`logging` but gives you control, via commandline config,
11 to do things such as:
12
13     * Set the logging default level (debug, info, warning, error, critical)
14       of the whole program (see: :code:`--logging_level`)... and to override
15       the logging level for individual modules/functions based on their names
16       (see :code:`--lmodule`),
17     * define the logging message format (see :code:`--logging_format` and
18       :code:`--logging_date_format`) including easily adding a PID/TID
19       marker on all messages to help with multithreaded debugging
20       (:code:`--logging_debug_threads`) and force module names of code
21       that emits log messages to be included in the format
22       (:code:`--logging_debug_modules`),
23     * control the destination of logged messages:
24
25         - log to the console/stderr (:code:`--logging_console`) and/or
26         - log to a rotated file (:code:`--logging_filename`,
27           :code:`--logging_filename_maxsize` and :code:`--logging_filename_count`)
28           and/or
29         - log to the UNIX syslog (:code:`--logging_syslog` and
30           :code:`--logging_syslog_facility`)
31
32     * optionally squelch repeated messages (:code:`--logging_squelch_repeats`),
33     * optionally log probalistically (:code:`--logging_probabilistically`),
34     * capture printed messages into the info log (:code:`--logging_captures_prints`),
35     * and optionally clear unwanted logging handlers added by other imports
36       before this one (:code:`--logging_clear_preexisting_handlers`).
37
38 To use this functionality, call :meth:`initialize_logging` early
39 in your program entry point.  If you use the
40 :meth:`pyutils.bootstrap.initialize` decorator on your program's entry
41 point, it will call this for you automatically.
42 """
43
44 import collections
45 import contextlib
46 import datetime
47 import enum
48 import io
49 import logging
50 import os
51 import sys
52 from logging.config import fileConfig
53 from logging.handlers import RotatingFileHandler, SysLogHandler
54 from typing import Any, Callable, Dict, Iterable, List, Optional, Union
55
56 import pytz
57 from overrides import overrides
58
59 # This module is commonly used by others in here and should avoid
60 # taking any unnecessary dependencies back on them.
61 from pyutils import argparse_utils, config, misc_utils
62
63 cfg = config.add_commandline_args(f"Logging ({__file__})", "Args related to logging")
64 cfg.add_argument(
65     "--logging_config_file",
66     type=argparse_utils.valid_filename,
67     default=None,
68     metavar="FILENAME",
69     help="Config file containing the logging setup, see: https://docs.python.org/3/howto/logging.html#logging-advanced-tutorial",
70 )
71 cfg.add_argument(
72     "--logging_level",
73     type=str,
74     default="INFO",
75     choices=["NOTSET", "DEBUG", "INFO", "WARNING", "ERROR", "CRITICAL"],
76     metavar="LEVEL",
77     help="The global default level below which to squelch log messages; see also --lmodule",
78 )
79 cfg.add_argument(
80     "--logging_format",
81     type=str,
82     default=None,
83     help="The format for lines logged via the logger module.  See: https://docs.python.org/3/library/logging.html#formatter-objects",
84 )
85 cfg.add_argument(
86     "--logging_date_format",
87     type=str,
88     default="%Y/%m/%dT%H:%M:%S.%f%z",
89     metavar="DATEFMT",
90     help="The format of any dates in --logging_format.",
91 )
92 cfg.add_argument(
93     "--logging_console",
94     action=argparse_utils.ActionNoYes,
95     default=True,
96     help="Should we log to the console (stderr)",
97 )
98 cfg.add_argument(
99     "--logging_filename",
100     type=str,
101     default=None,
102     metavar="FILENAME",
103     help="The filename of the logfile to write.",
104 )
105 cfg.add_argument(
106     "--logging_filename_maxsize",
107     type=int,
108     default=(1024 * 1024),
109     metavar="#BYTES",
110     help="The maximum size (in bytes) to write to the logging_filename.",
111 )
112 cfg.add_argument(
113     "--logging_filename_count",
114     type=int,
115     default=7,
116     metavar="COUNT",
117     help="The number of logging_filename copies to keep before deleting.",
118 )
119 cfg.add_argument(
120     "--logging_syslog",
121     action=argparse_utils.ActionNoYes,
122     default=False,
123     help="Should we log to localhost's syslog.",
124 )
125 cfg.add_argument(
126     "--logging_syslog_facility",
127     type=str,
128     default="USER",
129     choices=[
130         "NOTSET",
131         "AUTH",
132         "AUTH_PRIV",
133         "CRON",
134         "DAEMON",
135         "FTP",
136         "KERN",
137         "LPR",
138         "MAIL",
139         "NEWS",
140         "SYSLOG",
141         "USER",
142         "UUCP",
143         "LOCAL0",
144         "LOCAL1",
145         "LOCAL2",
146         "LOCAL3",
147         "LOCAL4",
148         "LOCAL5",
149         "LOCAL6",
150         "LOCAL7",
151     ],
152     metavar="SYSLOG_FACILITY_LIST",
153     help="The default syslog message facility identifier",
154 )
155 cfg.add_argument(
156     "--logging_debug_threads",
157     action=argparse_utils.ActionNoYes,
158     default=False,
159     help="Should we prepend pid/tid data to all log messages?",
160 )
161 cfg.add_argument(
162     "--logging_debug_modules",
163     action=argparse_utils.ActionNoYes,
164     default=False,
165     help="Should we prepend module/function data to all log messages?",
166 )
167 cfg.add_argument(
168     "--logging_info_is_print",
169     action=argparse_utils.ActionNoYes,
170     default=False,
171     help="logging.info also prints to stdout.",
172 )
173 cfg.add_argument(
174     "--logging_squelch_repeats",
175     action=argparse_utils.ActionNoYes,
176     default=True,
177     help="Do we allow code to indicate that it wants to squelch repeated logging messages or should we always log?",
178 )
179 cfg.add_argument(
180     "--logging_probabilistically",
181     action=argparse_utils.ActionNoYes,
182     default=True,
183     help="Do we allow probabilistic logging (for code that wants it) or should we always log?",
184 )
185 # See also: OutputMultiplexer
186 cfg.add_argument(
187     "--logging_captures_prints",
188     action=argparse_utils.ActionNoYes,
189     default=False,
190     help="When calling print, also log.info automatically.",
191 )
192 cfg.add_argument(
193     "--lmodule",
194     type=str,
195     metavar="<SCOPE>=<LEVEL>[,<SCOPE>=<LEVEL>...]",
196     help=(
197         "Allows per-scope logging levels which override the global level set with --logging-level."
198         + "Pass a space separated list of <scope>=<level> where <scope> is one of: module, "
199         + "module:function, or :function and <level> is a logging level (e.g. INFO, DEBUG...)"
200     ),
201 )
202 cfg.add_argument(
203     "--logging_clear_preexisting_handlers",
204     action=argparse_utils.ActionNoYes,
205     default=True,
206     help=(
207         "Should logging code clear preexisting global logging handlers and thus insist that is "
208         + "alone can add handlers.  Use this to work around annoying modules that insert global "
209         + "handlers with formats and logging levels you might now want.  Caveat emptor, this may "
210         + "cause you to miss logging messages."
211     ),
212 )
213
214 BUILT_IN_PRINT = print
215 LOGGING_INITIALIZED = False
216
217
218 # A map from logging_callsite_id -> count of logged messages.
219 squelched_logging_counts: Dict[str, int] = {}
220
221
222 def squelch_repeated_log_messages(squelch_after_n_repeats: int) -> Callable:
223     """
224     A decorator that marks a function as interested in having the logging
225     messages that it produces be squelched (ignored) after it logs the
226     same message more than N times.
227
228     .. note::
229
230         This decorator affects *ALL* logging messages produced
231         within the decorated function.  That said, messages must be
232         identical in order to be squelched.  For example, if the same line
233         of code produces different messages (because of, e.g., a format
234         string), the messages are considered to be different.
235
236     An example of this from the pyutils code itself can be found in
237     :meth:`pyutils.ansi.fg` and :meth:`pyutils.ansi.bg` methods::
238
239         @logging_utils.squelch_repeated_log_messages(1)
240         def fg(
241             name: Optional[str] = "",
242             red: Optional[int] = None,
243             green: Optional[int] = None,
244             blue: Optional[int] = None,
245             *,
246             force_16color: bool = False,
247             force_216color: bool = False,
248         ) -> str:
249             ...
250
251     These methods log stuff like "Using 24-bit color strategy" which
252     gets old really fast and fills up the logs.  By decorating the methods
253     with :code:`@logging_utils.squelch_repeated_log_messages(1)` the code
254     is requesting that its logged messages be dropped silently after the
255     first one is produced (note the argument 1).
256
257     Users can insist that all logged messages always be reflected in the
258     logs using the :code:`--no_logging_squelch_repeats` flag but the default
259     behavior is to allow code to request it be squelched.
260
261     :code:`--logging_squelch_repeats` only affects code with this decorator
262     on it; it ignores all other code.
263
264     Args:
265         squelch_after_n_repeats: the number of repeated messages allowed to
266             log before subsequent messages are silently dropped.
267     """
268
269     def squelch_logging_wrapper(f: Callable):
270         from pyutils import function_utils
271
272         identifier = function_utils.function_identifier(f)
273         squelched_logging_counts[identifier] = squelch_after_n_repeats
274         return f
275
276     return squelch_logging_wrapper
277
278
279 class SquelchRepeatedMessagesFilter(logging.Filter):
280     """A filter that only logs messages from a given site with the same
281     (exact) message at the same logging level N times and ignores
282     subsequent attempts to log.
283
284     This filter only affects logging messages that repeat more than a
285     threshold number of times from functions that are tagged with the
286     :code:`@logging_utils.squelched_logging_ok` decorator (see above);
287     all others are ignored.
288
289     This functionality is enabled by default but can be disabled via
290     the :code:`--no_logging_squelch_repeats` commandline flag.
291     """
292
293     def __init__(self) -> None:
294         super().__init__()
295         self.counters: collections.Counter = collections.Counter()
296
297     @overrides
298     def filter(self, record: logging.LogRecord) -> bool:
299         """Should we drop this log message?"""
300         id1 = f"{record.module}:{record.funcName}"
301         if id1 not in squelched_logging_counts:
302             return True
303         threshold = squelched_logging_counts[id1]
304         logsite = f"{record.pathname}+{record.lineno}+{record.levelno}+{record.msg}"
305         count = self.counters[logsite]
306         self.counters[logsite] += 1
307         return count < threshold
308
309
310 class DynamicPerScopeLoggingLevelFilter(logging.Filter):
311     """This filter only allows logging messages from an allow list of
312     module names or `module:function` names.  Blocks all others.  This
313     filter is used to implement the :code:`--lmodule` commandline option.
314
315     .. note::
316
317         You probably don't need to use this directly, just use
318         :code:`--lmodule`.  For example, to set logging level to INFO
319         everywhere except "module:function" where it should be DEBUG::
320
321             # myprogram.py --logging_level=INFO --lmodule=module:function=DEBUG
322
323     """
324
325     @staticmethod
326     def level_name_to_level(name: str) -> int:
327         """Given a level name, return its numberic value."""
328         numeric_level = getattr(logging, name, None)
329         if not isinstance(numeric_level, int):
330             raise ValueError(f"Invalid level: {name}")
331         return numeric_level
332
333     def __init__(
334         self,
335         default_logging_level: int,
336         per_scope_logging_levels: Optional[str],
337     ) -> None:
338         """Construct the Filter.
339
340         Args:
341             default_logging_level: the logging level of the whole program
342             per_scope_logging_levels: optional, comma separated overrides of
343                 logging level per scope of the format scope=level where
344                 scope is of the form "module:function" or ":function" and
345                 level is one of NOTSET, DEBUG, INFO, WARNING, ERROR or
346                 CRITICAL.
347         """
348         super().__init__()
349         self.valid_levels = set(
350             ["NOTSET", "DEBUG", "INFO", "WARNING", "ERROR", "CRITICAL"]
351         )
352         self.default_logging_level = default_logging_level
353         self.level_by_scope = {}
354         if per_scope_logging_levels is not None:
355             for chunk in per_scope_logging_levels.split(","):
356                 if "=" not in chunk:
357                     print(
358                         f'Malformed lmodule directive: "{chunk}", missing "=".  Ignored.',
359                         file=sys.stderr,
360                     )
361                     continue
362                 try:
363                     (scope, level) = chunk.split("=")
364                 except ValueError:
365                     print(
366                         f'Malformed lmodule directive: "{chunk}".  Ignored.',
367                         file=sys.stderr,
368                     )
369                     continue
370                 scope = scope.strip()
371                 level = level.strip().upper()
372                 if level not in self.valid_levels:
373                     print(
374                         f'Malformed lmodule directive: "{chunk}", bad level.  Ignored.',
375                         file=sys.stderr,
376                     )
377                     continue
378                 self.level_by_scope[
379                     scope
380                 ] = DynamicPerScopeLoggingLevelFilter.level_name_to_level(level)
381
382     @overrides
383     def filter(self, record: logging.LogRecord) -> bool:
384         """Decides whether or not to log based on an allow list."""
385
386         # First try to find a logging level by scope (--lmodule)
387         if len(self.level_by_scope) > 0:
388             min_level = None
389             for scope in (
390                 record.module,
391                 f"{record.module}:{record.funcName}",
392                 f":{record.funcName}",
393             ):
394                 level = self.level_by_scope.get(scope, None)
395                 if level is not None:
396                     if min_level is None or level < min_level:
397                         min_level = level
398
399             # If we found one, use it instead of the global default level.
400             if min_level is not None:
401                 return record.levelno >= min_level
402
403         # Otherwise, use the global logging level (--logging_level)
404         return record.levelno >= self.default_logging_level
405
406
407 # A map from function_identifier -> probability of logging (0.0%..100.0%)
408 probabilistic_logging_levels: Dict[str, float] = {}
409
410
411 def logging_is_probabilistic(probability_of_logging: float) -> Callable:
412     """A decorator that indicates that all logging statements within the
413     scope of a particular (marked via decorator) function are not
414     deterministic (i.e. they do not always unconditionally log) but rather
415     are probabilistic (i.e. they log N% of the time, randomly) when the
416     user passes the :code:`--logging_probabilistically` commandline flag
417     (which is enabled by default).
418
419     .. note::
420
421         This affects *ALL* logging statements within the marked function.
422         If you want it to only affect a subset of logging statements,
423         log those statements in a separate function that you invoke
424         from within the "too large" scope and mark that separate function
425         with the :code:`logging_is_probabilistic` decorator instead.
426
427     That this functionality can be disabled (forcing all logged
428     messages to produce output) via the
429     :code:`--no_logging_probabilistically` cmdline argument.
430     """
431
432     def probabilistic_logging_wrapper(f: Callable):
433         from pyutils import function_utils
434
435         identifier = function_utils.function_identifier(f)
436         probabilistic_logging_levels[identifier] = probability_of_logging
437         return f
438
439     return probabilistic_logging_wrapper
440
441
442 class ProbabilisticFilter(logging.Filter):
443     """
444     A filter that logs messages probabilistically (i.e. randomly at some
445     percent chance).  This filter is used with a decorator (see
446     :meth:`logging_is_probabilistic`) to implement the
447     :code:`--logging_probabilistically` commandline flag.
448
449     This filter only affects logging messages from functions that have
450     been tagged with the `@logging_utils.probabilistic_logging` decorator.
451     """
452
453     @overrides
454     def filter(self, record: logging.LogRecord) -> bool:
455         """Should the message be logged?"""
456         identifier = f"{record.module}:{record.funcName}"
457         threshold = probabilistic_logging_levels.get(identifier, 100.0)
458         return misc_utils.execute_probabilistically(threshold)
459
460
461 class OnlyInfoFilter(logging.Filter):
462     """A filter that only logs messages produced at the INFO logging
463     level.  This is used by the :code:`--logging_info_is_print`
464     commandline option to select a subset of the logging stream to
465     send to a stdout handler.
466     """
467
468     @overrides
469     def filter(self, record: logging.LogRecord):
470         return record.levelno == logging.INFO
471
472
473 class PrependingLogAdapter(logging.LoggerAdapter):
474     def process(self, msg, kwargs):
475         return f'{self.extra.get("prefix", "")}{msg}', kwargs
476
477     @staticmethod
478     def wrap_logger(prefix: str, logger: logging.Logger) -> logging.LoggerAdapter:
479         """Helper method around the creation of a LogAdapter that prepends
480         a given string to every log message produced.
481
482         Args:
483             prefix: the message to prepend to every log message.
484             logger: the logger whose messages to modify.
485
486         Returns:
487             A new logger wrapping the old one with the given behavior.
488             The old logger will continue to behave as usual; simply drop
489             the reference to this wrapper when it's no longer needed.
490         """
491         assert prefix
492         return PrependingLogAdapter(logger, {"prefix": prefix})
493
494
495 class AppendingLogAdapter(logging.LoggerAdapter):
496     def process(self, msg, kwargs):
497         return f'{msg}{self.extra.get("suffix", "")}', kwargs
498
499     @staticmethod
500     def wrap_logger(suffix: str, logger: logging.Logger) -> logging.LoggerAdapter:
501         """Helper method around the creation of a LoggerAdapter that appends
502         a given string to every log message produced.
503
504         Args:
505             suffix: the message to prepend to every log message.
506             logger: the logger whose messages to modify.
507
508         Returns:
509             A new logger wrapping the old one with the given behavior.
510             The old logger will continue to behave as usual; simply drop
511             the reference to this wrapper when it's no longer needed.
512         """
513         assert suffix
514         return AppendingLogAdapter(logger, {"suffix": suffix})
515
516
517 class LoggingContext(contextlib.ContextDecorator):
518     def __init__(
519         self,
520         logger: logging.Logger,
521         *,
522         handlers: Optional[List[logging.Handler]] = None,
523         prefix: Optional[str] = None,
524         suffix: Optional[str] = None,
525     ):
526         """This is a logging context that can be used to temporarily change logging:
527
528             * Change the destination of log messages (by adding temporary handlers)
529             * Add a prefix string to log messages
530             * Add a suffix string to log messages
531
532         .. note::
533
534             Unfortunately this can't be used to dynamically change the
535             defaut logging level because of a conflict with
536             :class:`DynamicPerScopeLoggingLevelFilter` which, to work,
537             must see every logging message.  I love the ability to set
538             logging per module from the commandline and am not willing
539             to lose it in return for the ability to dynamically change
540             the logging level in code.
541
542         Sample usage:
543
544             >>> logging.root.setLevel(0)
545             >>> logger = logging.getLogger(__name__)
546             >>> logger.addHandler(logging.StreamHandler(sys.stdout))
547             >>> logger.info("Hello!")
548             Hello!
549
550             >>> with LoggingContext(logger, prefix="REQUEST#12345>") as log:
551             ...     log.info("This is a test %d", 123)
552             REQUEST#12345>This is a test 123
553
554         """
555         self.logger = logger
556         self.handlers = handlers
557         self.prefix = prefix
558         self.suffix = suffix
559
560     def __enter__(self) -> Union[logging.Logger, logging.LoggerAdapter]:
561         assert self.logger
562         self.log: Union[logging.Logger, logging.LoggerAdapter] = self.logger
563         if self.handlers:
564             for handler in self.handlers:
565                 self.log.addHandler(handler)
566         if self.prefix:
567             self.log = PrependingLogAdapter(self.log, {"prefix": self.prefix})
568         if self.suffix:
569             self.log = AppendingLogAdapter(self.log, {"suffix": self.suffix})
570         return self.log
571
572     def __exit__(self, et, ev, tb) -> None:
573         if self.handlers:
574             for handler in self.handlers:
575                 self.logger.removeHandler(handler)
576                 handler.close()
577         return None  # propagate exceptions out
578
579
580 class MillisecondAwareFormatter(logging.Formatter):
581     """A formatter for adding milliseconds to log messages which, for
582     whatever reason, the default Python logger doesn't do.
583
584     .. note::
585
586         You probably don't need to use this directly but it is
587         wired in under :meth:`initialize_logging` so that the
588         timestamps in log messages have millisecond level
589         precision.
590
591     """
592
593     converter = datetime.datetime.fromtimestamp  # type: ignore
594
595     @overrides
596     def formatTime(self, record, datefmt=None):
597         ct = MillisecondAwareFormatter.converter(
598             record.created, pytz.timezone("US/Pacific")
599         )
600         if datefmt:
601             s = ct.strftime(datefmt)
602         else:
603             t = ct.strftime("%Y-%m-%d %H:%M:%S")
604             s = f"{t},{record.msecs:%03d}"
605         return s
606
607
608 def _log_about_logging(
609     logger,
610     default_logging_level,
611     preexisting_handlers_count,
612     fmt,
613     facility_name,
614 ):
615     """This is invoked automatically after logging is initialized such
616     that the first messages in the log are about how logging itself
617     was configured.
618     """
619     level_name = logging._levelToName.get(
620         default_logging_level, str(default_logging_level)
621     )
622     logger.debug("Initialized global logging; logging level is %s.", level_name)
623     if (
624         config.config["logging_clear_preexisting_handlers"]
625         and preexisting_handlers_count > 0
626     ):
627         logger.debug(
628             "Logging cleared %d global handlers (--logging_clear_preexisting_handlers)",
629             preexisting_handlers_count,
630         )
631     logger.debug('Logging format specification is "%s"', fmt)
632     if config.config["logging_debug_threads"]:
633         logger.debug(
634             "...Logging format spec captures tid/pid. (--logging_debug_threads)"
635         )
636     if config.config["logging_debug_modules"]:
637         logger.debug(
638             "...Logging format spec captures files/functions/lineno. (--logging_debug_modules)"
639         )
640     if config.config["logging_syslog"]:
641         logger.debug(
642             "Logging to syslog as %s with priority mapping based on level. (--logging_syslog)",
643             facility_name,
644         )
645     if config.config["logging_filename"]:
646         logger.debug(
647             'Logging to file "%s". (--logging_filename)',
648             config.config["logging_filename"],
649         )
650         logger.debug(
651             "...with %d bytes max file size. (--logging_filename_maxsize)",
652             config.config["logging_filename_maxsize"],
653         )
654         logger.debug(
655             "...and %d rotating backup file count. (--logging_filename_count)",
656             config.config["logging_filename_count"],
657         )
658     if config.config["logging_console"]:
659         logger.debug("Logging to the console (stderr). (--logging_console)")
660     if config.config["logging_info_is_print"]:
661         logger.debug(
662             "Logging logger.info messages will be repeated on stdout. (--logging_info_is_print)"
663         )
664     if config.config["logging_squelch_repeats"]:
665         logger.debug(
666             "Logging code allowed to request repeated messages be squelched. (--logging_squelch_repeats)"
667         )
668     else:
669         logger.debug(
670             "Logging code forbidden to request messages be squelched; all messages logged. (--no_logging_squelch_repeats)"
671         )
672     if config.config["logging_probabilistically"]:
673         logger.debug(
674             "Logging code is allowed to request probabilistic logging. (--logging_probabilistically)"
675         )
676     else:
677         logger.debug(
678             "Logging code is forbidden to request probabilistic logging; messages always logged. (--no_logging_probabilistically)"
679         )
680     if config.config["lmodule"]:
681         logger.debug(
682             f'Logging dynamic per-module logging enabled. (--lmodule={config.config["lmodule"]})'
683         )
684     if config.config["logging_captures_prints"]:
685         logger.debug(
686             "Logging will capture printed data as logger.info messages. (--logging_captures_prints)"
687         )
688
689
690 def initialize_logging(logger=None) -> logging.Logger:
691     """Initialize logging for the program.  See module level comments
692     for information about what functionality this provides and how to
693     enable or disable functionality via the commandline.
694
695     If you use the
696     :meth:`bootstrap.initialize` decorator on your program's entry point,
697     it will call this for you.  See :meth:`pyutils.bootstrap.initialize`
698     for more details.
699     """
700     global LOGGING_INITIALIZED
701     if LOGGING_INITIALIZED:
702         return logging.getLogger()
703     LOGGING_INITIALIZED = True
704
705     if logger is None:
706         logger = logging.getLogger()
707
708     # --logging_clear_preexisting_handlers removes logging handlers
709     # that were registered by global statements during imported module
710     # setup.
711     preexisting_handlers_count = 0
712     assert config.has_been_parsed()
713     if config.config["logging_clear_preexisting_handlers"]:
714         while logger.hasHandlers():
715             logger.removeHandler(logger.handlers[0])
716             preexisting_handlers_count += 1
717
718     # --logging_config_file pulls logging settings from a config file
719     # skipping the rest of this setup.
720     if config.config["logging_config_file"] is not None:
721         fileConfig(config.config["logging_config_file"])
722         return logger
723
724     handlers: List[logging.Handler] = []
725     handler: Optional[logging.Handler] = None
726
727     # Global default logging level (--logging_level); messages below
728     # this level will be silenced.
729     logging_level = config.config["logging_level"]
730     assert logging_level
731     logging_level = logging_level.upper()
732     default_logging_level = getattr(logging, logging_level, None)
733     if not isinstance(default_logging_level, int):
734         raise ValueError(f'Invalid level: {config.config["logging_level"]}')
735
736     # Custom or default --logging_format?
737     if config.config["logging_format"]:
738         fmt = config.config["logging_format"]
739     elif config.config["logging_syslog"]:
740         fmt = "%(levelname).1s:%(filename)s[%(process)d]: %(message)s"
741     else:
742         fmt = "%(levelname).1s:%(asctime)s: %(message)s"
743
744     # --logging_debug_threads and --logging_debug_modules both affect
745     # the format by prepending information about the pid/tid or
746     # file/function.
747     if config.config["logging_debug_threads"]:
748         fmt = f"%(process)d.%(thread)d|{fmt}"
749     if config.config["logging_debug_modules"]:
750         fmt = f"%(filename)s:%(funcName)s:%(lineno)s|{fmt}"
751
752     # --logging_syslog (optionally with --logging_syslog_facility)
753     # sets up for logging to use the standard system syslogd as a
754     # sink.
755     facility_name = None
756     if config.config["logging_syslog"]:
757         if sys.platform not in ("win32", "cygwin"):
758             if config.config["logging_syslog_facility"]:
759                 facility_name = "LOG_" + config.config["logging_syslog_facility"]
760             facility = SysLogHandler.__dict__.get(facility_name, SysLogHandler.LOG_USER)  # type: ignore
761             assert facility is not None
762             handler = SysLogHandler(facility=facility, address="/dev/log")
763             handler.setFormatter(
764                 MillisecondAwareFormatter(
765                     fmt=fmt,
766                     datefmt=config.config["logging_date_format"],
767                 )
768             )
769             handlers.append(handler)
770
771     # --logging_filename (with friends --logging_filename_count and
772     # --logging_filename_maxsize) set up logging to a file on the
773     # filesystem with automatic rotation when it gets too big.
774     if config.config["logging_filename"]:
775         max_bytes = config.config["logging_filename_maxsize"]
776         assert max_bytes and isinstance(max_bytes, int)
777         backup_count = config.config["logging_filename_count"]
778         assert backup_count and isinstance(backup_count, int)
779         handler = RotatingFileHandler(
780             config.config["logging_filename"],
781             maxBytes=max_bytes,
782             backupCount=backup_count,
783         )
784         handler.setFormatter(
785             MillisecondAwareFormatter(
786                 fmt=fmt,
787                 datefmt=config.config["logging_date_format"],
788             )
789         )
790         handlers.append(handler)
791
792     # --logging_console is, ahem, logging to the console.
793     if config.config["logging_console"]:
794         handler = logging.StreamHandler(sys.stderr)
795         handler.setFormatter(
796             MillisecondAwareFormatter(
797                 fmt=fmt,
798                 datefmt=config.config["logging_date_format"],
799             )
800         )
801         handlers.append(handler)
802
803     if len(handlers) == 0:
804         handlers.append(logging.NullHandler())
805     for handler in handlers:
806         logger.addHandler(handler)
807
808     # --logging_info_is_print echoes any message to logger.info(x) as
809     # a print statement on stdout.
810     if config.config["logging_info_is_print"]:
811         handler = logging.StreamHandler(sys.stdout)
812         handler.addFilter(OnlyInfoFilter())
813         logger.addHandler(handler)
814
815     # --logging_squelch_repeats allows code to request repeat logging
816     # messages (identical log site and message contents) to be
817     # silenced.  Logging code must request this explicitly, it isn't
818     # automatic.  This option just allows the silencing to happen.
819     if config.config["logging_squelch_repeats"]:
820         for handler in handlers:
821             handler.addFilter(SquelchRepeatedMessagesFilter())
822
823     # --logging_probabilistically allows code to request
824     # non-deterministic logging where messages have some probability
825     # of being produced.  Logging code must request this explicitly.
826     # This option just allows the non-deterministic behavior to
827     # happen.  Disabling it will cause every log message to be
828     # produced.
829     if config.config["logging_probabilistically"]:
830         for handler in handlers:
831             handler.addFilter(ProbabilisticFilter())
832
833     # --lmodule is a way to have a special logging level for just on
834     # module or one set of modules that is different than the one set
835     # globally via --logging_level.
836     for handler in handlers:
837         handler.addFilter(
838             DynamicPerScopeLoggingLevelFilter(
839                 default_logging_level,
840                 config.config["lmodule"],
841             )
842         )
843     logger.setLevel(0)
844     logger.propagate = False
845
846     # --logging_captures_prints, if set, will capture and log.info
847     # anything printed on stdout.
848     if config.config["logging_captures_prints"]:
849         import builtins
850
851         def print_and_also_log(*arg, **kwarg):
852             f = kwarg.get("file", None)
853             if f == sys.stderr:
854                 logger.warning(*arg)
855             else:
856                 logger.info(*arg)
857             BUILT_IN_PRINT(*arg, **kwarg)
858
859         builtins.print = print_and_also_log
860
861     # At this point the logger is ready, handlers are set up,
862     # etc... so log about the logging configuration.
863     _log_about_logging(
864         logger,
865         default_logging_level,
866         preexisting_handlers_count,
867         fmt,
868         facility_name,
869     )
870     return logger
871
872
873 def get_logger(name: str = ""):
874     """Get the global logger"""
875     logger = logging.getLogger(name)
876     return initialize_logging(logger)
877
878
879 def tprint(*args, **kwargs) -> None:
880     """Legacy function for printing a message augmented with thread id
881     still needed by some code.  Please use --logging_debug_threads in
882     new code.
883     """
884     if config.config["logging_debug_threads"]:
885         from pyutils.parallelize.thread_utils import current_thread_id
886
887         print(f"{current_thread_id()}", end="")
888         print(*args, **kwargs)
889     else:
890         pass
891
892
893 class OutputMultiplexer(object):
894     """A class that broadcasts printed messages to several sinks
895     (including various logging levels, different files, different file
896     handles, the house log, etc...).  See also
897     :class:`OutputMultiplexerContext` for an easy usage pattern.
898     """
899
900     class Destination(enum.IntEnum):
901         """Bits in the destination_bitv bitvector.  Used to indicate the
902         output destination."""
903
904         # fmt: off
905         LOG_DEBUG = 0x01     #  ⎫
906         LOG_INFO = 0x02      #  ⎪
907         LOG_WARNING = 0x04   #  ⎬ Must provide logger to the c'tor.
908         LOG_ERROR = 0x08     #  ⎪
909         LOG_CRITICAL = 0x10  #  ⎭
910         FILENAMES = 0x20     # Must provide a filename to the c'tor.
911         FILEHANDLES = 0x40   # Must provide a handle to the c'tor.
912         HLOG = 0x80
913         ALL_LOG_DESTINATIONS = (
914             LOG_DEBUG | LOG_INFO | LOG_WARNING | LOG_ERROR | LOG_CRITICAL
915         )
916         ALL_OUTPUT_DESTINATIONS = 0x8F
917         # fmt: on
918
919     def __init__(
920         self,
921         destination_bitv: int,
922         *,
923         logger=None,
924         filenames: Optional[Iterable[str]] = None,
925         handles: Optional[Iterable[io.TextIOWrapper]] = None,
926     ):
927         """
928         Constructs the OutputMultiplexer instance.
929
930         Args:
931             destination_bitv: a bitvector where each bit represents an
932                 output destination.  Multiple bits may be set.
933             logger: if LOG_* bits are set, you must pass a logger here.
934             filenames: if FILENAMES bit is set, this should be a list of
935                 files you'd like to output into.  This code handles opening
936                 and closing said files.
937             handles: if FILEHANDLES bit is set, this should be a list of
938                 already opened filehandles you'd like to output into.  The
939                 handles will remain open after the scope of the multiplexer.
940         """
941         if logger is None:
942             logger = logging.getLogger(None)
943         self.logger = logger
944
945         self.f: Optional[List[Any]] = None
946         if filenames is not None:
947             self.f = [open(filename, "wb", buffering=0) for filename in filenames]
948         else:
949             if destination_bitv & OutputMultiplexer.Destination.FILENAMES:
950                 raise ValueError("Filenames argument is required if bitv & FILENAMES")
951             self.f = None
952
953         self.h: Optional[List[Any]] = None
954         if handles is not None:
955             self.h = list(handles)
956         else:
957             if destination_bitv & OutputMultiplexer.Destination.FILEHANDLES:
958                 raise ValueError("Handle argument is required if bitv & FILEHANDLES")
959             self.h = None
960
961         self.set_destination_bitv(destination_bitv)
962
963     def get_destination_bitv(self):
964         """Where are we outputting?"""
965         return self.destination_bitv
966
967     def set_destination_bitv(self, destination_bitv: int):
968         """Change the output destination_bitv to the one provided."""
969         if destination_bitv & self.Destination.FILENAMES and self.f is None:
970             raise ValueError("Filename argument is required if bitv & FILENAMES")
971         if destination_bitv & self.Destination.FILEHANDLES and self.h is None:
972             raise ValueError("Handle argument is required if bitv & FILEHANDLES")
973         self.destination_bitv = destination_bitv
974
975     def print(self, *args, **kwargs):
976         """Produce some output to all sinks."""
977         from pyutils.string_utils import _sprintf, strip_escape_sequences
978
979         end = kwargs.pop("end", None)
980         if end is not None:
981             if not isinstance(end, str):
982                 raise TypeError("end must be None or a string")
983         sep = kwargs.pop("sep", None)
984         if sep is not None:
985             if not isinstance(sep, str):
986                 raise TypeError("sep must be None or a string")
987         if kwargs:
988             raise TypeError("invalid keyword arguments to print()")
989         buf = _sprintf(*args, end="", sep=sep)
990         if sep is None:
991             sep = " "
992         if end is None:
993             end = "\n"
994         if end == "\n":
995             buf += "\n"
996         if self.destination_bitv & self.Destination.FILENAMES and self.f is not None:
997             for _ in self.f:
998                 _.write(buf.encode("utf-8"))
999                 _.flush()
1000
1001         if self.destination_bitv & self.Destination.FILEHANDLES and self.h is not None:
1002             for _ in self.h:
1003                 _.write(buf)
1004                 _.flush()
1005
1006         buf = strip_escape_sequences(buf)
1007         if self.logger is not None:
1008             if self.destination_bitv & self.Destination.LOG_DEBUG:
1009                 self.logger.debug(buf)
1010             if self.destination_bitv & self.Destination.LOG_INFO:
1011                 self.logger.info(buf)
1012             if self.destination_bitv & self.Destination.LOG_WARNING:
1013                 self.logger.warning(buf)
1014             if self.destination_bitv & self.Destination.LOG_ERROR:
1015                 self.logger.error(buf)
1016             if self.destination_bitv & self.Destination.LOG_CRITICAL:
1017                 self.logger.critical(buf)
1018         if self.destination_bitv & self.Destination.HLOG:
1019             hlog(buf)
1020
1021     def close(self):
1022         """Close all open files."""
1023         if self.f is not None:
1024             for _ in self.f:
1025                 _.close()
1026
1027
1028 class OutputMultiplexerContext(OutputMultiplexer, contextlib.ContextDecorator):
1029     """
1030     A context that uses an :class:`OutputMultiplexer`.  e.g.::
1031
1032         with OutputMultiplexerContext(
1033                 OutputMultiplexer.LOG_INFO |
1034                 OutputMultiplexer.LOG_DEBUG |
1035                 OutputMultiplexer.FILENAMES |
1036                 OutputMultiplexer.FILEHANDLES,
1037                 filenames = [ '/tmp/foo.log', '/var/log/bar.log' ],
1038                 handles = [ f, g ]
1039             ) as mplex:
1040                 mplex.print("This is a log message!")
1041     """
1042
1043     def __init__(
1044         self,
1045         destination_bitv: OutputMultiplexer.Destination,
1046         *,
1047         logger=None,
1048         filenames=None,
1049         handles=None,
1050     ):
1051         """
1052         Args:
1053             destination_bitv: a bitvector that indicates where we should
1054                 send output.  See :class:`OutputMultiplexer` for options.
1055             logger: optional logger to use for log destination messages.
1056             filenames: optional filenames to write for filename destination
1057                 messages.
1058             handles: optional open filehandles to write for filehandle
1059                 destination messages.
1060         """
1061         super().__init__(
1062             destination_bitv,
1063             logger=logger,
1064             filenames=filenames,
1065             handles=handles,
1066         )
1067
1068     def __enter__(self):
1069         return self
1070
1071     def __exit__(self, etype, value, traceback) -> bool:
1072         super().close()
1073         if etype is not None:
1074             return False
1075         return True
1076
1077
1078 def hlog(message: str) -> None:
1079     """Write a message to the house log (syslog facility local7 priority
1080     info) by calling `/usr/bin/logger`.  This is pretty hacky but used
1081     by a bunch of (my) code.  Another way to do this would be to use
1082     :code:`--logging_syslog` and :code:`--logging_syslog_facility` but
1083     I can't actually say that's easier.
1084
1085     TODO: this needs to move.
1086     """
1087     message = message.replace("'", "'\"'\"'")
1088     os.system(f"/usr/bin/logger -p local7.info -- '{message}'")
1089
1090
1091 if __name__ == "__main__":
1092     import doctest
1093
1094     doctest.testmod()