我有一个Flask Web应用程序,Python Logging配置是在应用程序启动时通过dictConfig完成的。用于将某些日志写入数据库的处理程序附加到logger' test.module'仅当在应用程序启动时调用logging.basicConfig(level=logging.DEBUG)
时,才会将对该记录器的日志写入数据库。否则,不会将任何日志写入数据库。我知道basicConfig只是将一个streamHandler附加到root logger。我认为这应该是无关紧要的,因为我不希望root logger做任何事情。如果没有basicConfig,为什么这不起作用?
我在下面添加了如何启动记录器和配置。
class DbHandler(logging.Handler):
def __init__(self, level=logging.NOTSET):
logging.Handler.__init__(self, level)
def emit(self, record):
record.message = self.format(record)
log = DbModel()
log.message = record.message
log.save()
LOGGING = {
'version': 1,
'handlers': {
'db_log': {
'level': 'DEBUG',
'class': 'test.handlers.DbHandler',
},
},
'loggers': {
'test.important_module': {
'handlers': [
'db_log'
],
},
}
# logging.basicConfig(level=logging.DEBUG) # Doesnt work without this
logging.config.dictConfig(LOGGING)
logger = logging.getLogger('test.important_module')
logger.info('Making a test')
答案 0 :(得分:3)
您没有为'test.important_module'记录器本身设置级别(您只设置处理程序的级别)。
你可以这样做:
logger = logging.getLogger('test.important_module')
logger.setLevel(logging.DEBUG)
或者像这样:
'loggers': {
'test.important_module': {
'level': 'DEBUG', # <<< HERE
'handlers': [
'db_log'
],
},