实际上在 Python 中它看起来非常相似。有不同的方法可以做到这一点。我通常创建一个非常简单的记录器类:
import os
import logging
import settings # alternativly from whereever import settings
class Logger(object):
def __init__(self, name):
name = name.replace('.log','')
logger = logging.getLogger('log_namespace.%s' % name) # log_namespace can be replaced with your namespace
logger.setLevel(logging.DEBUG)
if not logger.handlers:
file_name = os.path.join(settings.LOGGING_DIR, '%s.log' % name) # usually I keep the LOGGING_DIR defined in some global settings file
handler = logging.FileHandler(file_name)
formatter = logging.Formatter('%(asctime)s %(levelname)s:%(name)s %(message)s')
handler.setFormatter(formatter)
handler.setLevel(logging.DEBUG)
logger.addHandler(handler)
self._logger = logger
def get(self):
return self._logger
然后,如果我想在类或模块中记录某些内容,我只需导入记录器并创建一个实例。传递类名将为每个类创建一个文件。然后,记录器可以通过调试、信息、错误等将消息记录到其文件中:
from module_where_logger_is_defined import Logger
class MyCustomClass(object):
def __init__(self):
self.logger = Logger(self.__class__.__name__).get() # accessing the "private" variables for each class
def do_something():
...
self.logger.info('Hello')
def raise_error():
...
self.logger.error('some error message')
更新的答案
多年来,我改变了我使用 Python 日志记录的方式。主要基于良好实践,我在应用程序启动期间首先加载的任何模块中配置整个应用程序的日志记录,然后在每个文件中使用单独的记录器。例子:
# app.py (runs when application starts)
import logging
import os.path
def main():
logging_config = {
'version': 1,
'disable_existing_loggers': False,
'formatters': {
'standard': {
'format': '%(asctime)s [%(levelname)s] %(name)s: %(message)s'
},
},
'handlers': {
'default_handler': {
'class': 'logging.FileHandler',
'level': 'DEBUG',
'formatter': 'standard',
'filename': os.path.join('logs', 'application.log'),
'encoding': 'utf8'
},
},
'loggers': {
'': {
'handlers': ['default_handler'],
'level': 'DEBUG',
'propagate': False
}
}
}
logging.config.dictConfig(logging_config)
# start application ...
if __name__ == '__main__':
main()
# submodule.py (any application module used later in the application)
import logging
# define top level module logger
logger = logging.getLogger(__name__)
def do_something():
# application code ...
logger.info('Something happended')
# more code ...
try:
# something which might break
except SomeError:
logger.exception('Something broke')
# handle exception
# more code ...
以上是推荐的方法。每个模块都定义了自己的记录器,并且可以在检查日志时根据__name__
属性轻松识别在哪个模块中记录了哪些消息。这从我的原始答案中删除了样板文件,而是使用logging.config
了 Python 标准库中的模块。