bl双性强迫侵犯h_国产在线观看人成激情视频_蜜芽188_被诱拐的少孩全彩啪啪漫画

Python中logging日志庫的示例分析-創新互聯

這篇文章給大家分享的是有關Python中logging日志庫的示例分析的內容。小編覺得挺實用的,因此分享給大家做個參考,一起跟隨小編過來看看吧。

成都創新互聯公司于2013年成立,先為淶源等服務建站,淶源等地企業,進行企業商務咨詢服務。為淶源企業網站制作PC+手機+微官網三網同步一站式服務解決您的所有建站問題。logging的簡單使用

用作記錄日志,默認分為六種日志級別(括號為級別對應的數值)

  1. NOTSET(0)

  2. DEBUG(10)

  3. INFO(20)

  4. WARNING(30)

  5. ERROR(40)

  6. CRITICAL(50)

special

  • 在自定義日志級別時注意不要和默認的日志級別數值相同

  • logging 執行時輸出大于等于設置的日志級別的日志信息,如設置日志級別是 INFO,則 INFO、WARNING、ERROR、CRITICAL 級別的日志都會輸出。

|2logging常見對象
  • Logger:日志,暴露函數給應用程序,基于日志記錄器和過濾器級別決定哪些日志有效。

  • LogRecord :日志記錄器,將日志傳到相應的處理器處理。

  • Handler :處理器, 將(日志記錄器產生的)日志記錄發送至合適的目的地。

  • Filter :過濾器, 提供了更好的粒度控制,它可以決定輸出哪些日志記錄。

  • Formatter:格式化器, 指明了最終輸出中日志記錄的格式。

|3logging基本使用

logging 使用非常簡單,使用 basicConfig() 方法就能滿足基本的使用需要;如果方法沒有傳入參數,會根據默認的配置創建Logger 對象,默認的日志級別被設置為 WARNING,該函數可選的參數如下表所示。

參數名稱

參數描述

filename

日志輸出到文件的文件名

filemode

文件模式,r[+]、w[+]、a[+]

format

日志輸出的格式

datefat

日志附帶日期時間的格式

style

格式占位符,默認為 "%" 和 “{}”

level

設置日志輸出級別

stream

定義輸出流,用來初始化 StreamHandler 對象,不能 filename 參數一起使用,否則會ValueError 異常

handles

定義處理器,用來創建 Handler 對象,不能和 filename 、stream 參數一起使用,否則也會拋出 ValueError 異常

logging代碼

 logging.debug("debug")
 logging.info("info")
 logging.warning("warning")
 logging.error("error")5 logging.critical("critical")

測試結果

WARNING:root:warning
ERROR:root:error
CRITICAL:root:critical

但是當發生異常時,直接使用無參數的 debug() 、 info() 、 warning() 、 error() 、 critical() 方法并不能記錄異常信息,需要設置 exc_info=True 才可以,或者使用 exception() 方法,還可以使用 log() 方法,但還要設置日志級別和 exc_info 參數

a = 5
 b = 0
 try:
 c = a / b
 except Exception as e:
 # 下面三種方式三選一,推薦使用第一種
 logging.exception("Exception occurred")
 logging.error("Exception occurred", exc_info=True)
 logging.log(level=logging.ERROR, msg="Exception occurred", exc_info=True)
|4logging之Formatter對象

Formatter 對象用來設置具體的輸出格式,常用格式如下表所示

格式

變量描述

%(asctime)s

將日志的時間構造成可讀的形式,默認情況下是精確到毫秒,如 2018-10-13 23:24:57,832,可以額外指定 datefmt 參數來指定該變量的格式

%(name)

日志對象的名稱

%(filename)s

不包含路徑的文件名

%(pathname)s

包含路徑的文件名

%(funcName)s

日志記錄所在的函數名

%(levelname)s

日志的級別名稱

%(message)s

具體的日志信息

%(lineno)d

日志記錄所在的行號

%(pathname)s

完整路徑

%(process)d

當前進程ID

%(processName)s

當前進程名稱

%(thread)d

當前線程ID

%threadName)s

當前線程名稱

|5logging封裝類
 #!/usr/bin/env python
 # -*- coding: utf-8 -*-
 """
 __title__ = logging工具類
 __Time__ = 2019/8/8 19:26
 """
 import logging
 from logging import handlers
 class Loggers:
  __instance = None
  def __new__(cls, *args, **kwargs):
   if not cls.__instance:
    cls.__instance = object.__new__(cls, *args, **kwargs)
   return cls.__instance
  def __init__(self):
   # 設置輸出格式
   formater = logging.Formatter(
    '[%(asctime)s]-[%(levelname)s]-[%(filename)s]-[%(funcName)s:%(lineno)d] : %(message)s')
   # 定義一個日志收集器
   self.logger = logging.getLogger('log')
   # 設定級別
   self.logger.setLevel(logging.DEBUG)
   # 輸出渠道一 - 文件形式
   self.fileLogger = handlers.RotatingFileHandler("./test.log", maxBytes=5242880, backupCount=3)
   # 輸出渠道二 - 控制臺
   self.console = logging.StreamHandler()
   # 控制臺輸出級別
   self.console.setLevel(logging.DEBUG)
   # 輸出渠道對接輸出格式
   self.console.setFormatter(formater)
   self.fileLogger.setFormatter(formater)
   # 日志收集器對接輸出渠道
   self.logger.addHandler(self.fileLogger)
   self.logger.addHandler(self.console)
  def debug(self, msg):
   self.logger.debug(msg=msg)
  def info(self, msg):
   self.logger.info(msg=msg)
  def warn(self, msg):
   self.logger.warning(msg=msg)
  def error(self, msg):
   self.logger.error(msg=msg)
  def excepiton(self, msg):
   self.logger.exception(msg=msg)
 loggers = Loggers()
 if __name__ == '__main__':
  loggers.debug('debug')
  loggers.info('info')
|6logzero封裝類
 #!/usr/bin/env python
 # -*- coding: utf-8 -*-
 """
 __title__ = logzero日志封裝類
 __Time__ = 2019/8/8 19:26
 """
 import logging
 import logzero
 from logzero import logger
 class Logzero(object):
  __instance = None
  def __new__(cls, *args, **kwargs):
   if not cls.__instance:
    cls.__instance = object.__new__(cls, *args, **kwargs)
   return cls.__instance
  def __init__(self):
   self.logger = logger
   # console控制臺輸入日志格式 - 帶顏色
   self.console_format = '%(color)s' \
        '[%(asctime)s]-[%(levelname)1.1s]-[%(filename)s]-[%(funcName)s:%(lineno)d] 日志信息: %(message)s ' \
        '%(end_color)s '
   # 創建一個Formatter對象
   self.formatter = logzero.LogFormatter(fmt=self.console_format)
   # 將formatter提供給setup_default_logger方法的formatter參數
   logzero.setup_default_logger(formatter=self.formatter)
   # 設置日志文件輸出格式
   self.formater = logging.Formatter(
    '[%(asctime)s]-[%(levelname)s]-[%(filename)s]-[%(funcName)s:%(lineno)d] 日志信息: %(message)s')
   # 設置日志文件等級
   logzero.loglevel(logging.DEBUG)
   # 輸出日志文件路徑和格式
   logzero.logfile("F:\\imocInterface\\log/tests.log", formatter=self.formater)
  def debug(self, msg):
   self.logger.debug(msg=msg)
  def info(self, msg):
   self.logger.info(msg=msg)
  def warning(self, msg):
   self.logger.warning(msg=msg)
  def error(self, msg):
   self.logger.error(msg=msg)
  def exception(self, msg):
   self.logger.exception(msg=msg)
 logzeros = Logzero()
 if __name__ == '__main__':
  logzeros.debug("debug")
  logzeros.info("info")
  logzeros.warning("warning")
  logzeros.error("error")
  a = 5
  b = 0
  try:
   c = a / b
  except Exception as e:
   logzeros.exception("Exception occurred")

感謝各位的閱讀!關于“Python中logging日志庫的示例分析”這篇文章就分享到這里了,希望以上內容可以對大家有一定的幫助,讓大家可以學到更多知識,如果覺得文章不錯,可以把它分享出去讓更多的人看到吧!

當前名稱:Python中logging日志庫的示例分析-創新互聯
網頁網址:http://vcdvsql.cn/article34/cdjspe.html

成都網站建設公司_創新互聯,為您提供面包屑導航、外貿網站建設、建站公司、企業建站云服務器移動網站建設

廣告

聲明:本網站發布的內容(圖片、視頻和文字)以用戶投稿、用戶轉載內容為主,如果涉及侵權請盡快告知,我們將會在第一時間刪除。文章觀點不代表本網站立場,如需處理請聯系客服。電話:028-86922220;郵箱:631063699@qq.com。內容未經允許不得轉載,或轉載時需注明來源: 創新互聯

網站優化排名