3

目前,我将所有内容都记录到一个日志文件中,但我想将其分离到多个日志文件中。我查看了 python 文档中的日志记录,但他们没有讨论这个问题。

log_format = "%(asctime)s - %(name)s - %(levelname)s - %(message)s"
logging.basicConfig(filename=(os.path.join(OUT_DIR, + '-user.log')),
            format=log_format, level=logging.INFO, datefmt='%Y-%m-%d %H:%M:%S')

目前这是我进行日志记录的方式。我想做的有不同类型的错误或信息登录到不同的日志文件中。目前我这样做logging.info('Logging IN')并将logging.error('unable to login')转到相同的日志文件。我想把他们分开。我是否需要创建另一个日志记录对象来支持记录到另一个文件?

4

2 回答 2

3

你/可以/做的(我没有深入研究logging模块,所以可能有更好的方法来做到这一点)可能是使用流而不是文件对象:

In [1]: class LogHandler(object):
   ...:     def write(self, msg):
   ...:         print 'a :%s' % msg
   ...:         print 'b :%s' % msg
   ...:         

In [3]: import logging
In [4]: logging.basicConfig(stream=LogHandler())
In [5]: logging.critical('foo')
a :CRITICAL:root:foo
b :CRITICAL:root:foo

In [6]: logging.warn('bar')
a :WARNING:root:bar
b :WARNING:root:bar

编辑进一步处理

假设您的日志文件已经存在,您可以执行以下操作:

import logging

class LogHandler(object):
    format = '%(levelname)s %(message)s'
    files = { 
        'ERROR': 'error.log',
        'CRITICAL': 'error.log',
        'WARN': 'warn.log',
    }   
    def write(self, msg):
        type_ = msg[:msg.index(' ')] 
        with open(self.files.get(type_, 'log.log'), 'r+') as f:
            f.write(msg)

logging.basicConfig(format=LogHandler.format, stream=LogHandler())
logging.critical('foo')

这将允许您根据日志消息中的条件将日志记录拆分为各种文件。如果找不到您要查找的内容,则默认为log.log.

于 2013-02-28T23:49:53.400 回答
1

我从docs.python.org/2/howto/logging-cookbook.html创建了这个解决方案

只需创建两个日志文件处理程序,分配它们的日志级别并将它们添加到您的记录器。

import os
import logging

current_path = os.path.dirname(os.path.realpath(__file__))

logger = logging.getLogger('simple_example')
logger.setLevel(logging.DEBUG)

#to log debug messages                               
debug_log = logging.FileHandler(os.path.join(current_path, 'debug.log'))
debug_log.setLevel(logging.DEBUG)

#to log errors messages
error_log = logging.FileHandler(os.path.join(current_path, 'error.log'))
error_log.setLevel(logging.ERROR)

logger.addHandler(debug_log)
logger.addHandler(error_log)

logger.debug('This message should go in the debug log')
logger.info('and so should this message')
logger.warning('and this message')
logger.error('This message should go in both the debug log and the error log')
于 2015-07-08T23:45:30.987 回答