系统:Windows 10 编辑器:JetBrains PyCharm Community Edition 2018.2.2 x64
- 这个系列讲讲日志功能
- 先讲讲logging模块
- 将日志文件按级别选择输出
Part 1:场景描述
- 写了一个自动抓取数据的代码,使用定时器进行定期运行
- 遇到这样一个痛点,某些情况下,程序可能会报错,这时候希望程序继续运行,但把报错信息写入日志,等待分析。因为程序没有那么复杂,就将错误信息写在一个文本文件里
- 有的时候报错信息太多,希望将错误进行分级,根据需要输出。还有就是希望报错的代码所在行数也可以获取
Part 2:代码
import os
import logging
def write_log(level, msg):
log_file = os.path.join(os.getcwd(), 'logDEBUG.txt')
logging.basicConfig(
level=logging.DEBUG,
format='日志生成时间:%(asctime)s 执行文件名:%(filename)s[line:%(lineno)d] 级别:%(levelname)s 输出信息:%(message)s',
datefmt='%Y-%m-%d %A %H:%M:%S',
filename=log_file,
filemode='a+')
if level == "debug":
logging.debug(msg)
elif level == "info":
logging.info(msg)
elif level == "warning":
logging.warning(msg)
elif level == "error":
logging.error(msg)
elif level == "critical":
logging.critical(msg)
else:
logging.info(msg)
msg = "log1"
level = "debug"
write_log(level, msg)
msg = "log2"
level = "info"
write_log(level, msg)
msg = "log3"
level = "warning"
write_log(level, msg)
msg = "log4"
level = "error"
write_log(level, msg)
msg = "log5"
level = "critical"
write_log(level, msg)
代码截图
Part 3:执行结果
-
当level=logging.INFO ,输出 ≥ INFO级别的问题,输出了INFO,WARNING,ERROR,CRITICAL INFO -
当level=logging.DEBUG ,输出 ≥ DEBUG级别的问题,发现所有的都输出了 DEBUG -
当level=logging.ERROR ,输出 ≥ ERROR级别的问题,输出了ERROR,CRITICAL ERROR
- 测试一下可发现,级别顺序如下
DEBUG < INFO < WARNING < ERROR < CRITICAL
Part 4:部分代码解读
logging.basicConfig ,设置输出日志各种参数
level=logging.INFO ,设置输出最低级别format='日志生成时间:%(asctime)s 执行文件名:%(filename)s[line:%(lineno)d] 级别:%(levelname)s 输出信息:%(message)s' filemode='a+ ,在原文件基础上追加
%(asctime)s :时间,配合datefmt='%Y-%m-%d %A %H:%M:%S' ,定义输出时间格式%(filename)s ,所在文件[line:%(lineno)d] :代码所在行%(message)s :拟输出信息
输出结果
- 日志生成时间:2021-10-15 Friday 20:14:01 执行文件名:log_1.py[line:17] 级别:DEBUG 输出信息:log1
- 日志生成时间:2021-10-15 Friday 20:14:01 执行文件名:log_1.py[line:19] 级别:INFO 输出信息:log2
- 日志生成时间:2021-10-15 Friday 20:14:01 执行文件名:log_1.py[line:21] 级别:WARNING 输出信息:log3
- 日志生成时间:2021-10-15 Friday 20:14:01 执行文件名:log_1.py[line:23] 级别:ERROR 输出信息:log4
- 日志生成时间:2021-10-15 Friday 20:14:01 执行文件名:log_1.py[line:25] 级别:CRITICAL 输出信息:log5
- 综上,实际使用过程中,不应该将日志作为一个函数整体被调用,而是在需要的地方调用
logging.critical 等,否则就失去很大一部分意义
本文为原创作品,欢迎分享朋友圈
长按图片识别二维码,关注本公众号 Python 优雅 帅气
|