簡介
按照上一篇的計劃,這一篇給小夥伴們講解一下:(1)多模組使用logging,(2)通過檔案配置logging模組,(3)自己封裝一個日誌(logging)類。可能有的小夥伴在這裡會有個疑問一個logging為什麼分兩篇的篇幅來介紹她呢???那是因為日誌是非常重要的,用於記錄系統、軟體操作事件的記錄檔案或檔案集合,可分為事件日誌和訊息日誌。具有處理歷史資料、診斷問題的追蹤以及理解系統、軟體的活動等重要作用,在開發或者測試軟系統過程中出現了問題,我們首先想到的就是她——logging。她可不像泰戈爾說的:“天空沒有留下翅膀的痕跡,但我已經飛過”;這個90後的小姑娘,她可是一個愛炫耀,愛顯擺的人已經達到了人過留名、雁過留聲的境界。好了逗大家一樂,下面開始進入今天的正題。
多模組使用logging
1、父模組fatherModule.py:
2、子模組sonModule.py:
3、執行結果,在控制和日誌檔案log.txt中輸出:
首先在父模組定義了logger'fatherModule',並對它進行了配置,就可以在直譯器程式裡面的其他地方通過getLogger('fatherModule')得到的物件都是一樣的,不需要重新配置,可以直接使用。定義的該logger的子logger,
都可以共享父logger的定義和配置,所謂的父子logger是通過命名來識別,任意以'fatherModule'開頭的logger都是它的子logger,例如'fatherModule.son'。
實際開發一個application,首先可以通過logging配置檔案編寫好這個application所對應的配置,可以生成一個根logger,如'PythonAPP',然後在主函式中通過fileConfig載入logging配置,接著在application的其他地方、不同的模組中,可以使用根logger的子logger,
如'PythonAPP.Core','PythonAPP.Web'來進行log,而不需要反覆的定義和配置各個模組的logger。
4、參考程式碼
fatherModule.py檔案:
1 # coding=utf-8 2 # 1.先設定編碼,utf-8可支援中英文,如上,一般放在第一行 3 4 # 2.註釋:包括記錄建立時間,建立人,專案名稱。 5 ''' 6 Created on 2019-5-24 7 @author: 北京-巨集哥 8 Project:學習和使用python的logging日誌模組-多模組使用logging 9 ''' 10 # 3.匯入模組 11 import logging 12 import sonModule 13 logger = logging.getLogger("fatherModule") 14 logger.setLevel(level = logging.INFO) 15 handler = logging.FileHandler("log.txt") 16 handler.setLevel(logging.INFO) 17 formatter = logging.Formatter('%(asctime)s - %(name)s - %(levelname)s - %(message)s') 18 handler.setFormatter(formatter) 19 20 console = logging.StreamHandler() 21 console.setLevel(logging.INFO) 22 console.setFormatter(formatter) 23 24 logger.addHandler(handler) 25 logger.addHandler(console) 26 27 28 logger.info("creating an instance of sonModule.sonModuleClass") 29 a = sonModule.SonModuleClass() 30 logger.info("calling sonModule.sonModuleClass.doSomething") 31 a.doSomething() 32 logger.info("done with sonModule.sonModuleClass.doSomething") 33 logger.info("calling sonModule.some_function") 34 sonModule.som_function() 35 logger.info("done with sonModule.some_function")
sonModule.py檔案:
1 # coding=utf-8 2 # 1.先設定編碼,utf-8可支援中英文,如上,一般放在第一行 3 4 # 2.註釋:包括記錄建立時間,建立人,專案名稱。 5 ''' 6 Created on 2019-5-24 7 @author: 北京-巨集哥 8 Project:學習和使用python的logging日誌模組-多模組使用logging 9 ''' 10 # 3.匯入模組 11 import logging 12 13 module_logger = logging.getLogger("fatherModule.son") 14 class SonModuleClass(object): 15 def __init__(self): 16 self.logger = logging.getLogger("fatherModule.son.module") 17 self.logger.info("creating an instance in SonModuleClass") 18 def doSomething(self): 19 self.logger.info("do something in SonModule") 20 a = [] 21 a.append(1) 22 self.logger.debug("list a = " + str(a)) 23 self.logger.info("finish something in SonModuleClass") 24 25 def som_function(): 26 module_logger.info("call function some_function")
檔案配置logging模組
1、通過logging.config模組配置日誌構造資訊
logger.conf檔案:
[loggers] keys = root, example01, example02 [logger_root] level = DEBUG handlers = hand01, hand02 [logger_example01] handlers = hand01, hand02 qualname = example01 propagate = 0 [logger_example02] handlers = hand01, hand03 qualname = example02 propagate = 0 [handlers] keys = hand01, hand02, hand03 [handler_hand01] class = StreamHandler level = INFO formatter = form01 args=(sys.stdout, ) [handler_hand02] class = FileHandler level = DEBUG formatter = form01 args = ('log/test_case_log.log', 'a') [handler_hand03] class = handlers.RotatingFileHandler level = INFO formatter = form01 args = ('log/test_case_log.log', 'a', 10*1024*1024,3) [formatters] keys = form01, form02 [formatter_form01] format = %(asctime)s-%(filename)s-[line:%(lineno)d]-%(levelname)s-[LogInfoMessage]: %(message)s datefmt = %a, %d %b %Y %H:%M:%S [formatter_form02] format = %(name)-12s: %(levelname)-8s-[日誌資訊]: %(message)s datefmt = %a, %d %b %Y %H:%M:%S
一、例項:
1、例項程式碼
2、執行結果:
3、參考程式碼:
# coding=utf-8 # 1.先設定編碼,utf-8可支援中英文,如上,一般放在第一行 # 2.註釋:包括記錄建立時間,建立人,專案名稱。 ''' Created on 2019-5-27 @author: 北京-巨集哥 Project:學習和使用python的logging日誌模組-多模組使用logging ''' # 3.匯入模組 import logging import logging.config logging.config.fileConfig("logger.conf") logger = logging.getLogger("example01") logger.debug('This is debug message') logger.info('This is info message') logger.warning('This is warning message')
二、例項
1、例項程式碼
2、執行結果
3、參考程式碼:
# coding=utf-8 # 1.先設定編碼,utf-8可支援中英文,如上,一般放在第一行 # 2.註釋:包括記錄建立時間,建立人,專案名稱。 ''' Created on 2019-5-24 @author: 北京-巨集哥 Project:學習和使用python的logging日誌模組-多模組使用logging ''' # 3.匯入模組 import logging import logging.config logging.config.fileConfig("logger.conf") logger = logging.getLogger("example02") logger.debug('This is debug message') logger.info('This is info message') logger.warning('This is warning message')
2、通過JSON檔案配置
json配置檔案:
{ "version":1, "disable_existing_loggers":false, "formatters":{ "simple":{ "format":"%(asctime)s - %(name)s - %(levelname)s - %(message)s" } }, "handlers":{ "console":{ "class":"logging.StreamHandler", "level":"DEBUG", "formatter":"simple", "stream":"ext://sys.stdout" }, "info_file_handler":{ "class":"logging.handlers.RotatingFileHandler", "level":"INFO", "formatter":"simple", "filename":"info.log", "maxBytes":"10485760", "backupCount":20, "encoding":"utf8" }, "error_file_handler":{ "class":"logging.handlers.RotatingFileHandler", "level":"ERROR", "formatter":"simple", "filename":"errors.log", "maxBytes":10485760, "backupCount":20, "encoding":"utf8" } }, "loggers":{ "my_module":{ "level":"ERROR", "handlers":["info_file_handler"], "propagate":"no" } }, "root":{ "level":"INFO", "handlers":["console","info_file_handler","error_file_handler"] } }
1、通過JSON載入配置檔案,然後通過logging.dictConfig配置logging:
2、執行結果:
3、參考程式碼:
1 import json
2 import logging.config
3 import os
4
5 def setup_logging(default_path = "logging.json",default_level = logging.INFO,env_key = "LOG_CFG"):
6 path = default_path
7 value = os.getenv(env_key,None)
8 if value:
9 path = value
10 if os.path.exists(path):
11 with open(path,"r") as f:
12 config = json.load(f)
13 logging.config.dictConfig(config)
14 else:
15 logging.basicConfig(level = default_level)
16
17 def func():
18 logging.info("start func")
19
20 logging.info("exec func")
21
22 logging.info("end func")
23
24 if __name__ == "__main__":
25 setup_logging(default_path = "logging.json")
26 func()
3、通過YAML檔案配置
1、首先要匯入yaml模組,輸入命令 python2: pip install yaml python3:pip install pyyaml
2、通過YAML檔案進行配置,比JSON看起來更加簡介明瞭:
logging.yaml檔案:
version: 1 disable_existing_loggers: False formatters: simple: format: "%(asctime)s - %(name)s - %(levelname)s - %(message)s" handlers: console: class: logging.StreamHandler level: DEBUG formatter: simple stream: ext://sys.stdout info_file_handler: class: logging.handlers.RotatingFileHandler level: INFO formatter: simple filename: info.log maxBytes: 10485760 backupCount: 20 encoding: utf8 error_file_handler: class: logging.handlers.RotatingFileHandler level: ERROR formatter: simple filename: errors.log maxBytes: 10485760 backupCount: 20 encoding: utf8 loggers: my_module: level: ERROR handlers: [info_file_handler] propagate: no root: level: INFO handlers: [console,info_file_handler,error_file_handler]
3、通過YAML載入配置檔案,然後通過logging.dictConfig配置logging:
4、執行結果:
5、參考程式碼:
# coding=utf-8 # 1.先設定編碼,utf-8可支援中英文,如上,一般放在第一行 # 2.註釋:包括記錄建立時間,建立人,專案名稱。 ''' Created on 2019-5-24 @author: 北京-巨集哥 Project:學習和使用python的logging日誌模組-yaml檔案配置logging ''' # 3.匯入模組 import yaml import logging.config import os def setup_logging(default_path = "logging.yaml",default_level = logging.INFO,env_key = "LOG_CFG"): path = default_path value = os.getenv(env_key,None) if value: path = value if os.path.exists(path): with open(path,"r") as f: config = yaml.load(f) logging.config.dictConfig(config) else: logging.basicConfig(level = default_level) def func(): logging.info("start func") logging.info("exec func") logging.info("end func") if __name__ == "__main__": setup_logging(default_path = "logging.yaml") func()
注意:配置檔案中“disable_existing_loggers” 引數設定為 False;如果不設定為False,建立了 logger,然後你又在載入日誌配置檔案之前就匯入了模組。logging.fileConfig 與 logging.dictConfig 預設情況下會使得已經存在的 logger 失效。那麼,這些配置資訊就不會應用到你的 Logger 上。“disable_existing_loggers” = False解決了這個問題
自己封裝一個logging類
1、例項程式碼:
2、執行結果:
3、參考程式碼:
1 # coding=utf-8 2 # 1.先設定編碼,utf-8可支援中英文,如上,一般放在第一行 3 4 # 2.註釋:包括記錄建立時間,建立人,專案名稱。 5 ''' 6 Created on 2019-5-27 7 @author: 北京-巨集哥 8 Project:學習和使用python的logging日誌模組-自己封裝logging 9 ''' 10 # 3.匯入模組 11 import logging 12 class Log(object): 13 def __init__(self, name=__name__, path='mylog.log', level='DEBUG'): 14 self.__name = name 15 self.__path = path 16 self.__level = level 17 self.__logger = logging.getLogger(self.__name) 18 self.__logger.setLevel(self.__level) 19 20 def __ini_handler(self): 21 """初始化handler""" 22 stream_handler = logging.StreamHandler() 23 file_handler = logging.FileHandler(self.__path, encoding='utf-8') 24 return stream_handler, file_handler 25 26 def __set_handler(self, stream_handler, file_handler, level='DEBUG'): 27 """設定handler級別並新增到logger收集器""" 28 stream_handler.setLevel(level) 29 file_handler.setLevel(level) 30 self.__logger.addHandler(stream_handler) 31 self.__logger.addHandler(file_handler) 32 33 def __set_formatter(self, stream_handler, file_handler): 34 """設定日誌輸出格式""" 35 formatter = logging.Formatter('%(asctime)s-%(name)s-%(filename)s-[line:%(lineno)d]' 36 '-%(levelname)s-[日誌資訊]: %(message)s', 37 datefmt='%a, %d %b %Y %H:%M:%S') 38 stream_handler.setFormatter(formatter) 39 file_handler.setFormatter(formatter) 40 41 def __close_handler(self, stream_handler, file_handler): 42 """關閉handler""" 43 stream_handler.close() 44 file_handler.close() 45 46 @property 47 def Logger(self): 48 """構造收集器,返回looger""" 49 stream_handler, file_handler = self.__ini_handler() 50 self.__set_handler(stream_handler, file_handler) 51 self.__set_formatter(stream_handler, file_handler) 52 self.__close_handler(stream_handler, file_handler) 53 return self.__logger 54 55 56 if __name__ == '__main__': 57 log = Log(__name__, 'file.log') 58 logger = log.Logger 59 logger.debug('I am a debug message') 60 logger.info('I am a info message') 61 logger.warning('I am a warning message') 62 logger.error('I am a error message') 63 logger.critical('I am a critical message')
小結
1、在yaml檔案配置logging的時候,會有個報警資訊。有程式碼潔癖的人,可以處理一下
2、是什麼原因造成上面的告警呢???是因為:YAML 5.1版本後棄用了yaml.load(file)這個用法,因為覺得很不安全,5.1版本之後就修改了需要指定Loader,通過預設載入器(FullLoader)禁止執行任意函式,該load函式也變得更加安全。
3、解決辦法:
不用改很多程式碼 加一句就行了 在yaml.load(f, Loader=yaml.FullLoader)
加上 Loader=yaml.FullLoader 就行了。這裡要注意的是L要大寫的,否則會報錯的。
4、加上以後,看一下執行結果:
最後給大家留個彩蛋:文章中有一處bug,會影響執行結果而報錯,聰明的你,可以找到嗎???嘿嘿!!!歡迎互動和留言