Make logging simple, log even exception that you forgot to catch
Project description
Logger_tt
Make configuring logging simpler and log even exceptions that you forgot to catch.
Install
- From PYPI:
pip install logger_tt - From Github: clone or download this repo then
python setup.py install
Overview:
In the most simple case, add the following code into your main python script of your project:
from logger_tt import setup_logging
setup_logging()
Then from any of your modules, you just need to get a logger and start logging.
from logging import getLogger
logger = getLogger(__name__)
logger.debug('Module is initialized')
logger.info('Making connection ...')
This will provide your project with the following default log behavior:
-
log file: Assume that your
working directoryisproject_root, log.txt is stored at yourproject_root/logs/folder. If the log path doesn't exist, it will be created. The log file is time rotated at midnight. A maximum of 15 dates of logs will be kept. This log file'slevelisDEBUG.
The log format is[%(asctime)s] [%(name)s %(levelname)s] %(message)swhere time is%Y-%m-%d %H:%M:%S.
Example:[2020-05-09 00:31:33] [myproject.mymodule DEBUG] Module is initialized -
console: log with level
INFOand above will be printed tostdoutof the console.
The format for console log is simpler:[%(asctime)s] %(levelname)s: %(message)s.
Example:[2020-05-09 00:31:34] INFO: Making connection ... -
urllib3logger: this ready-made logger is to silent unwanted messages fromrequestslibrary. -
suppressed logger:
exchangelib. This sets logging level ofexchangeliblogger toWARNING.
This is another way to silent unwanted messages from other module, read below for details. -
rootlogger: if there is no logger initialized in your module, this logger will be used with the above behaviors. This logger is also used to log uncaught exception in your project. Example:
raise RecursionError
# log.txt
[2020-05-31 19:16:01] [root ERROR] Uncaught exception
Traceback (most recent call last):
File "D:/MyProject/Echelon/eyes.py", line 13, in <module>
raise RecursionError
=> var_in = Customer(name='John', member_id=123456)
=> arg = (456, 789)
=> kwargs = {'my_kw': 'hello', 'another_kw': 'world'}
RecursionError
- context logging: When an exception occur, variables used in the line of error are also logged.
If the line of error israise {SomeException}, then local variables are also logged.
To always log full local variables, passfull_context=Truetosetup_logging.
Usage:
All configs are done through setup_logging function:
setup_logging(config_path="", log_path="",
capture_print=False, strict=False, guess_level=False,
full_context=False,
suppress_level_below=logging.WARNING)
-
You can overwrite the default log path with your own as follows:
setup_logging(log_path='new/path/to/your_log.txt')
-
You can config your own logger and handler by providing either
yamlorjsonconfig file as follows:setup_logging(config_path='path/to/.yaml_or_.json')
Without providing a config file, the default config file with the above default log behavior is used. You could copy
log_conf.yamlorlog_conf.jsonshipped with this package to start making your version.Warning: To process
.yamlconfig file, you needpyyamlpackage:pip install pyyaml -
Capture stdout:
If you have an old code base with a lot of
print(msg)orsys.stdout.write(msg)and don't have access or time to refactor them into something likelogger.info(msg), you can capture thesemsgand log them to file, too.To capture only
msgthat is printed out byprint(msg), simply do as follows:setup_logging(capture_print=True)
Example:
print('To be or not to be') sys.stdout.write('That is the question')
# log.txt [2020-05-09 11:42:08] [PrintCapture INFO] To be or not to be
Yes,
That is the questionis not captured. Some libraries may directly usesys.stdout.writeto draw on the screen (eg. progress bar) or do something quirk. This kind of information is usually not useful for users. But when you do need it, you can capture it as follows:setup_logging(capture_print=True, strict=True)
Example:
sys.stdout.write('The plane VJ-723 has been delayed') sys.stdout.write('New departure time has not been scheduled')
# log.txt [2020-05-09 11:42:08] [PrintCapture INFO] The plane VJ-723 has been delayed [2020-05-09 11:42:08] [PrintCapture INFO] New departure time has not been scheduled
As you have seen, the log level of the captured message is
INFO. What if the code base prints something likeAn error has occurred. Abort operation.and you want to log it asError? Just addguess_level=Truetosetup_logging().setup_logging(capture_print=True, guess_level=True)
Example:
print('An error has occurred. Abort operation.') print('A critical error has occurred during making request to database')
# log.txt [2020-05-09 11:42:08] [PrintCapture ERROR] An error has occurred. Abort operation. [2020-05-09 11:42:08] [PrintCapture CRITICAL] A critical error has occurred during making request to databaseNote: Capturing stdout ignores messages of
blank line. That means messages like\n\nor(spaces) will not appear in the log. But messages that contain blank line(s) and other characters will be fully logged. For example,\nTo day is a beautiful day\nwill be logged as is. -
Exception logging:
Consider the following error code snippet:
API_KEY = "asdjhfbhbsdf82340hsdf09u3ionf98230234ilsfd" TIMEOUT = 60 class MyProfile: def __init__(self, name): self.my_boss = None self.name = name def my_faulty_func(my_var, *args, **kwargs): new_var = 'local scope variable' me = MyProfile('John Wick') boss = MyProfile('Winston') me.my_boss = boss print(f'Information: {var} and {me.my_boss.name}' ' at {me.my_boss.location} with {API_KEY}') if __name__ == '__main__': cpu_no = 4 max_concurrent_processes = 3 my_faulty_func(max_concurrent_processes, 'ryzen 7', freq=3.4)
In our hypothetical code above,
printfunction will raise an exception. This exception, by default, will not only be logged but also analyzed with objects that appeared in the line:[2020-06-06 09:36:01] ERROR: Uncaught exception: Traceback (most recent call last): File "D:/MyProject/AutoBanking/main.py", line 31, in <module> my_faulty_func(max_concurrent_processes, 'ryzen 7', freq=3.4) |-> my_faulty_func = <function my_faulty_func at 0x0000023770C6A288> |-> max_concurrent_processes = 3 File "D:/MyProject/AutoBanking/main.py", line 25, in my_faulty_func print(f'Information: {var} and {me.my_boss.name}' ' at {me.my_boss.location} with {API_KEY}') |-> me.my_boss.name = 'Winston' |-> me.my_boss.location = '!!! Not Exists' |-> (outer) API_KEY = 'asdjhfbhbsdf82340hsdf09u3ionf98230234ilsfd' NameError: name 'var' is not defined
Note: look at the
print(f'Information...line,logger-ttprint this error line different from normal python traceback! With normal traceback, multi-line python statement has its only first line printed out. Withlogger-tt, full statement is grabbed for you.For each level in the stack, any object that appears in the error line is shown with its
readable representation. This representation may not necessarily be__repr__. The choice between__str__and__repr__are as follows:__str__:__str__is present and the object class's__repr__is default with<class name at Address>.__repr__:__str__is present but the object class's__repr__is anything else, such asClassName(var=value).
Also, when__str__is missing, even if__repr__is<class name at Address>, it is used.
Currently, if an object doesn't exist and is directly accessed, as
varin this case, it will not be shown up. But if it is attribute accessed with dot., aslocationinme.my_boss.location, then its value is an explicit string'!!! Not Exists'.As you may have noticed, a variable
API_KEYhas its name prefixed withouter.
This tells you that the variable is defined in the outer scope, not local.More often than not, only objects in the error line are not sufficient to diagnose what has happened. You want to know what the inputs of the function were. You want to know what the intermediate calculated results were. You want to know other objects that appeared during runtime, not only local but also outer scope. In other words, you want to know the full context of what has happened.
logger-ttis here with you:setup_logging(full_context=True)
With the above hypothetical code snippet, the error log becomes the following:
[2020-06-06 10:35:21] ERROR: Uncaught exception: Traceback (most recent call last): File "D:/MyProject/AutoBanking/main.py", line 31, in <module> my_faulty_func(max_concurrent_processes, 'ryzen 7', freq=3.4) |-> my_faulty_func = <function my_faulty_func at 0x0000019E3599A288> |-> max_concurrent_processes = 3 => __name__ = '__main__' => __doc__ = None => __package__ = None => __loader__ = <_frozen_importlib_external.SourceFileLoader object at 0x0000019E35840E48> => __spec__ = None => __annotations__ = {} => __builtins__ = <module 'builtins' (built-in)> => __file__ = 'D:/MyProject/AutoBanking/main.py' => __cached__ = None => setup_logging = <function setup_logging at 0x0000019E35D111F8> => getLogger = <function getLogger at 0x0000019E35BC7C18> => logger = <Logger __main__ (DEBUG)> => API_KEY = 'asdjhfbhbsdf82340hsdf09u3ionf98230234ilsfd' => TIMEOUT = 60 => MyProfile = <class '__main__.MyProfile'> => cpu_no = 4 File "D:/MyProject/AutoBanking/main.py", line 25, in my_faulty_func print(f'Information: {var} and {me.my_boss.name} at {me.my_boss.location} with {API_KEY}') |-> me.my_boss.name = 'Winston' |-> me.my_boss.location = '!!! Not Exists' |-> (outer) API_KEY = 'asdjhfbhbsdf82340hsdf09u3ionf98230234ilsfd' => my_var = 3 => args = ('ryzen 7',) => kwargs = {'freq': 3.4} => new_var = 'local scope variable' => me = <__main__.MyProfile object at 0x0000019E35D3BA48> => boss = <__main__.MyProfile object at 0x0000019E35D3B9C8> NameError: name 'var' is not defined
Additional objects that not appear in the error line are prefixed with
=>. -
try-exceptexception logging:exception contextlogging also applies fortry-exceptblock. This means that if you calllogger.exception()insideexceptblock, you would have all variables' value at the line of exception. For example,def my_faulty_func(): a = 10 b = 0 c = a/b return c def my_main(): try: my_faulty_func() except Exception as e: logger.exception('some error has occured') print('Clean up resource') my_main()
Then the log will show up as follows:
[2020-06-12 21:37:00] ERROR: some error has occured Traceback (most recent call last): File "D:/MyProject/exception_log.py", line 19, in my_main my_faulty_func() |-> my_faulty_func = <function my_faulty_func at 0x000001875DD4B168> File "D:/MyProject/exception_log.py", line 13, in my_faulty_func c = a / b |-> a = 10 |-> b = 0 ZeroDivisionError: division by zero Clean up resource
Note: As in python's logging document,
logger.exception()should only be called from an exception handler, eg. insideexceptblock.You don't need to pass
exception objecttologger.exception(). It already knows how to get a traceback internally. This enable you to pass any string in as a hint or a short description of what may have happened.
Otherwise, passingexception object, aslogger.exception(e), will cause the first line of error report to be the message of exception. In the case of the above example, it would be come[2020-06-12 21:37:00] ERROR: division by zero. -
Silent unwanted logger:
Third party modules also have logger and their messages are usually not related to your code. A bunch of unwanted messages may hide the one that come from your own module. To prevent that and also reduce log file size, we need to silent unwanted loggers.
There are two ways to silent a logger with config file:
-
Create a new logger: in
loggersection of config file, add a new logger whose name is the same with the one you want to silent. Set it level toWARNINGor above. If you addhandlers, you should also setpropagatetonoorFalse. Otherwise, the same message may be logged multiple times. Ex:urllib3: level: WARNING handlers: [console, error_file_handler] propagate: noAbove setting only allow messages with level
WARNINGand above to be processed. Usually that is enough to silent most of unwanted messages. If you need to silent more messages, tryERRORorCRITICAL. -
Add logger's name to
suppress list: Then a new logger with level default toWARNINGwill be automatically created for you. Ex:suppress: [exchangelib, urllib3]If you need to suppress at even higher level, use
suppress_level_belowinsetup_logging. For example suppress any message belowERRORlevel that comes from loggers insuppress list:setup_logging(suppress_level_below=logging.ERROR)
-
Sample config:
-
Yaml format:
log_config.yaml:
version: 1 disable_existing_loggers: False formatters: simple: format: "[%(asctime)s] [%(name)s %(levelname)s] %(message)s" datefmt: "%Y-%m-%d %H:%M:%S" brief: { format: "[%(asctime)s] %(levelname)s: %(message)s" datefmt: "%Y-%m-%d %H:%M:%S" handlers: console: class: logging.StreamHandler level: INFO formatter: simple stream: ext://sys.stdout error_file_handler: class: logging.handlers.TimedRotatingFileHandler level: DEBUG formatter: simple filename: logs/log.txt backupCount: 15 encoding: utf8 when: midnight loggers: urllib3: level: WARNING handlers: [console, error_file_handler] propagate: no root: level: DEBUG handlers: [console, error_file_handler] suppress: [exchangelib]
2. Json format:
log_config.json:
{
"version": 1,
"disable_existing_loggers": false,
"formatters": {
"simple": {
"format": "[%(asctime)s] [%(name)s %(levelname)s] %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S"
},
"brief": {
"format": "[%(asctime)s] %(levelname)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S"
}
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "brief",
"stream": "ext://sys.stdout"
},
"error_file_handler": {
"class": "logging.handlers.TimedRotatingFileHandler",
"level": "DEBUG",
"formatter": "simple",
"filename": "logs/log.txt",
"backupCount": 15,
"encoding": "utf8",
"when": "midnight"
}
},
"loggers": {
"urllib3": {
"level": "ERROR",
"handlers": ["console", "error_file_handler"],
"propagate": false
}
},
"root": {
"level": "DEBUG",
"handlers": ["console", "error_file_handler"]
},
"suppress": ["exchangelib"]
}
changelog
1.4.2
To prevent exception during logging, the following actions have been applied:
- Catch exception while parsing for object's value (property of a class)
- Catch exception while evaluating
__repr__and__str__of object - Disable logging while inspecting objects' value and representation
- Disable logging after an uncaught exception is logged.
Because the interpreter is shutting down, objects get deleted.
Logging put inside magic function
__del__will raise error.
1.4.1
- Fix
print_captureignoringprint()line in global scope due to lackingcode_contextframe - If
__str__of an object has multiple lines, also indent the second line and so on accordingly. - If there is an exception during getting object's representation,
return
!!! Attribute errorinstead ofError in sys.excepthook
1.4.0
- Add an extra field
suppressin config file. Any logger's name appeared in this list will have its messages suppressed.
1.3.2
- change extended ascii dash
─to normal dash-so that it is displayed consistently in different encoding
1.3.1
- change extended ascii vertical bar
├to normal bar|so that it is displayed consistently in different encoding
1.3.0
- Exception analyzing now fetch full multi-line python statement.
This means that variables lie at seconds and below of the same statement can also be seen
without the need of
full_context=True.
1.2.1
- Extend logging context to
logger.exception()as well. Now you can dotry-excepta block of code and still have a full context at error line.
1.2.0
- Add logging context for uncaught exception. Now automatically log variables surrounding the error line, too.
- Add test cases for logging exception
1.1.1
- Fixed typos and grammar
- Add config file sample to README
- using full name
log_config.jsoninstead oflog_conf.json, the same for yaml file - add test cases for
capture print
1.1.0
- Add
capture printfunctionality withguess levelfor the message.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file logger_tt-1.4.2.tar.gz.
File metadata
- Download URL: logger_tt-1.4.2.tar.gz
- Upload date:
- Size: 23.9 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/46.1.3 requests-toolbelt/0.9.1 tqdm/4.46.0 CPython/3.7.4
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
2ffff47a21cc12c00dfce19c936c85d10be0eb6c1a5349a67f9ba0f0998ac2df
|
|
| MD5 |
c51554872ffcb5a219855ceebffb3fe1
|
|
| BLAKE2b-256 |
eef439da80a65ef5da55f060cb32c49aea4b9a7feba037cecee34720fc0f31eb
|
File details
Details for the file logger_tt-1.4.2-py3-none-any.whl.
File metadata
- Download URL: logger_tt-1.4.2-py3-none-any.whl
- Upload date:
- Size: 16.1 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.23.0 setuptools/46.1.3 requests-toolbelt/0.9.1 tqdm/4.46.0 CPython/3.7.4
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
9b3220e8a67ff27db6cf2205e8f509d53147a11b0aecbcda36653db5668031dc
|
|
| MD5 |
d9224761ef930a090cd00591fa5b8907
|
|
| BLAKE2b-256 |
df6ae03d2077f1ccd0f0ea8652ca383ec41c4f82b2ee845d80f93a9d224ca395
|