logging模块的详细使用详见这篇文章,跟着这篇文章完全可以运行。这里面主要写下我自己在使用的过程中的一点心得。
python 日志 logging模块(详细解析)_pansaky的博客-CSDN博客_logging模块
1、logging模块是全局的,即在一个工程内只要对logging初始化一次,就可以在每个module中使用。可以参考java spring,logback也是只需要通过配置文件初始化一遍。这一点,我之前一直没有想清楚,所以,一直在想着要自己写一个单例的类,然后将类初始化一遍后供全局使用。实际上,完全不需要。
2、想清楚了logging模块就是全局单例后,就很容易处理了。只需要在主类中将logging完成初始化,而各具体业务类中,只需要getlogger进行使用就可以了。
3、为了通用,将logging的初始化写到一个module中。后续在各工程中,直接导入工程主类中即可。
4、但是,有一点很奇怪。我将代码使用systemctl做成了服务,之前使用baseConfig在代码里面直接创建的时候,服务启动后可以正常打印日志。可使用yaml配置后,却没有正常的生成日志文件。而不使用服务的方式启动,而是直接执行python3 test.py时,却又可以正常的生成日志文件并输出日志信息到文件中。目前这个问题还没有解决。
loggingConfig.yaml:
version: 1
disable_existing_loggers: False
formatters:
simple:
format: "%(asctime)s - %(levelname)s - %(message)s"
standard:
format: "%(asctime)s - %(funcName)s - %(lineno)d - %(levelname)s - %(thread)d - %(message)s"
handlers:
console:
class: logging.StreamHandler
level: DEBUG
formatter: standard
stream: ext://sys.stdout
info_file_handler:
class: logging.handlers.RotatingFileHandler
level: INFO
formatter: standard
filename: info.log
maxBytes: 10485760
backupCount: 20
encoding: utf8
info_file_handler_1:
class: logging.handlers.RotatingFileHandler
level: INFO
formatter: standard
filename: info_1.log
maxBytes: 10485760
backupCount: 20
encoding: utf8
error_file_handler:
class: logging.handlers.RotatingFileHandler
level: ERROR
formatter: standard
filename: errors.log
maxBytes: 10485760
backupCount: 20
encoding: utf8
loggers:
fileLogger:
level: DEBUG
handlers: [info_file_handler]
propagate: no
fileLogger_1:
level: DEBUG
handlers: [info_file_handler_1]
propagate: no
root:
level: INFO
handlers: [console,info_file_handler,error_file_handler]
loggingBuild.py
import yaml
import logging.config
import os
path = 'loggingConfig.yaml'
if os.path.exists(path):
? ? with open(path, "r") as f:
? ? ? ? # 1.config=yaml.load(stream,Loader=yaml.FullLoader)
? ? ? ? # 2.config=yaml.safe_load(stream)
? ? ? ? # 3.config = yaml.load(stream, Loader=yaml.CLoader)
? ? ? ? config = yaml.load(f, Loader=yaml.FullLoader)
? ? ? ? logging.config.dictConfig(config)
业务类:
# -*- coding: utf-8 -*-
# @Time : 2022-1-1
# @Author : Fred Liu qiping
import sys
import time
from MariaDbPool import MariaDbPool
import logging
class Holiday():
"""节假日类"""
logger = logging.getLogger('fileLogger')
def testlogger(self):
logger.info('日志打印测试')
|