Logging日誌模塊的使用
阿新 • • 發佈:2018-10-12
utf-8 set mat stream conf dna none 滿了 軟件
五種級別的日誌記錄模式
DEBUG 詳細信息,典型地調試問題時會感興趣。
INFO 證明事情按預期工作。
WARNING 表明發生了一些意外,或者不久的將來會發生問題(如‘磁盤滿了’)。軟件還是在正常工作。
ERROR 由於更嚴重的問題,軟件已不能執行一些功能了。
CRITICAL 嚴重錯誤,表明軟件已不能繼續運行了。
兩種配置方式
logging.basicConfig()函數中可通過具體參數來更改logging模塊默認行為,可用參數有: filename:用指定的文件名創建FiledHandler,這樣日誌會被存儲在指定的文件中。 filemode:文件打開方式,在指定了filename時使用這個參數,默認值為“a”還可指定為“w”。 format:指定handler使用的日誌顯示格式。 datefmt:指定日期時間格式。 level:設置rootlogger(後邊會講解具體概念)的日誌級別 stream:用指定的stream創建StreamHandler。可以指定輸出到sys.stderr,sys.stdout或者文件(f配置參數=open(‘test.log’,’w’)),默認為sys.stderr。若同時列出了filename和stream兩個參數,則stream參數會被忽略。 format參數中可能用到的格式化串: %(name)s Logger的名字 %(levelno)s 數字形式的日誌級別 %(levelname)s 文本形式的日誌級別 %(pathname)s 調用日誌輸出函數的模塊的完整路徑名,可能沒有 %(filename)s 調用日誌輸出函數的模塊的文件名 %(module)s 調用日誌輸出函數的模塊名 %(funcName)s 調用日誌輸出函數的函數名 %(lineno)d 調用日誌輸出函數的語句所在的代碼行%(created)f 當前時間,用UNIX標準的表示時間的浮 點數表示 %(relativeCreated)d 輸出日誌信息時的,自Logger創建以 來的毫秒數 %(asctime)s 字符串形式的當前時間。默認格式是 “2003-07-08 16:49:45,896”。逗號後面的是毫秒 %(thread)d 線程ID。可能沒有 %(threadName)s 線程名。可能沒有 %(process)d 進程ID。可能沒有 %(message)s用戶輸出的消息
簡單配置
import logging logging.basicConfig(level=logging.DEBUG, #輸出的等級 format=‘%(asctime)s %(filename)s[line:%(lineno)d] %(levelname)s %(message)s‘, # 輸出的格式 datefmt=‘%a, %d %b %Y %H:%M:%S‘, # 輸出的時間格式(上面的輸出格式包含有輸出時間) filename=‘/tmp/test.log‘, # 寫入文件的路徑 filemode=‘w‘) # 寫入的格式 logging.debug(‘debug message‘) logging.info(‘info message‘) logging.warning(‘warning message‘) logging.error(‘error message‘) logging.critical(‘critical message‘)
詳細配置
import logging logger = logging.getLogger() # 創建一個handler並設置輸出等級 fh = logging.FileHandler(‘test.log‘, encoding=‘utf-8‘) sh = logging.StreamHandler() fh.setLevel(logging.WARNING) sh.setLevel(logging.WARNING) # 創建格式 formatter = logging.Formatter(‘%(asctime)s - %(name)s - %(levelname)s - %(message)s‘) # 給handler綁定格式,並把handler綁到logger實例 fh.setFormatter(formatter) sh.setFormatter(formatter) logger.addHandler(fh) logger.addHandler(sh) logger.debug(‘logger debug message‘) logger.info(‘logger info message‘) logger.warning(‘logger warning message‘) logger.error(‘logger error message‘) logger.critical(‘logger critical message‘)
Logging日誌模塊的使用