(转)python中用logging实现日志滚动和过期日志删除
转自:
logging库提供了两个可以用于日志滚动的class(可以参考https://docs.python.org/2/library/logging.handlers.html),一个是rotatingfilehandler,它主要是根据日志文件的大小进行滚动,另一个是timerotatingfilehandler,它主要是根据时间进行滚动。在实际应用中,我们通常根据时间进行滚动,因此,本文中主要介绍timerotaingfilehandler的使用方法(rotatingfilehandler一样)。代码示例如下:
#!/usr/bin/env python #_*_coding:utf-8_*_ # vim : set expandtab ts=4 sw=4 sts=4 tw=100 : import logging import time import re from logging.handlers import timedrotatingfilehandler from logging.handlers import rotatingfilehandler def main(): #日志打印格式 log_fmt = '%(asctime)s\tfile \"%(filename)s\",line %(lineno)s\t%(levelname)s: %(message)s' formatter = logging.formatter(log_fmt) #创建timedrotatingfilehandler对象 log_file_handler = timedrotatingfilehandler(filename="ds_update", when="m", interval=2, backupcount=2) #log_file_handler.suffix = "%y-%m-%d_%h-%m.log" #log_file_handler.extmatch = re.compile(r"^\d{4}-\d{2}-\d{2}_\d{2}-\d{2}.log$") log_file_handler.setformatter(formatter) logging.basicconfig(level=logging.info) log = logging.getlogger() log.addhandler(log_file_handler) #循环打印日志 log_content = "test log" count = 0 while count < 30: log.error(log_content) time.sleep(20) count = count + 1 log.removehandler(log_file_handler) if __name__ == "__main__": main()
filename:日志文件名的prefix;
when:是一个字符串,用于描述滚动周期的基本单位,字符串的值及意义如下:
“s”: seconds
“m”: minutes
“h”: hours
“d”: days
“w”: week day (0=monday)
“midnight”: roll over at midnight
interval: 滚动周期,单位有when指定,比如:when=’d’,interval=1,表示每天产生一个日志文件;
backupcount: 表示日志文件的保留个数;
除了上述参数之外,timedrotatingfilehandler还有两个比较重要的成员变量,它们分别是suffix和extmatch。suffix是指日志文件名的后缀,suffix中通常带有格式化的时间字符串,filename和suffix由“.”连接构成文件名(例如:filename=“runtime”, suffix=“%y-%m-%d.log”,生成的文件名为runtime.2015-07-06.log)。extmatch是一个编译好的正则表达式,用于匹配日志文件名的后缀,它必须和suffix是匹配的,如果suffix和extmatch匹配不上的话,过期的日志是不会被删除的。比如,suffix=“%y-%m-%d.log”, extmatch的只应该是re.compile(r”^\d{4}-\d{2}-\d{2}.log$”)。默认情况下,在timedrotatingfilehandler对象初始化时,suffxi和extmatch会根据when的值进行初始化:
‘s’: suffix=”%y-%m-%d_%h-%m-%s”, extmatch=r”\^d{4}-\d{2}-\d{2}_\d{2}-\d{2}-\d{2}”; ‘m’:suffix=”%y-%m-%d_%h-%m”,extmatch=r”^\d{4}-\d{2}-\d{2}_\d{2}-\d{2}”; ‘h’:suffix=”%y-%m-%d_%h”,extmatch=r”^\d{4}-\d{2}-\d{2}_\d{2}”; ‘d’:suffxi=”%y-%m-%d”,extmatch=r”^\d{4}-\d{2}-\d{2}”; ‘midnight’:”%y-%m-%d”,extmatch=r”^\d{4}-\d{2}-\d{2}”; ‘w’:”%y-%m-%d”,extmatch=r”^\d{4}-\d{2}-\d{2}”;
如果对日志文件名没有特殊要求的话,可以不用设置suffix和extmatch,如果需要,一定要让它们匹配上。