欧美bbbwbbbw肥妇,免费乱码人妻系列日韩,一级黄片

python logging類庫使用例子

 更新時間:2014年11月22日 14:21:21   投稿:junjie  
這篇文章主要介紹了python logging類庫使用例子,本文講解了簡單使用、logging的level、Handlers、FileHandler + StreamHandler等內容,需要的朋友可以參考下

一、簡單使用

復制代碼 代碼如下:

def TestLogBasic():
    import logging
    logging.basicConfig(filename = 'log.txt', filemode = 'a', level = logging.NOTSET, format = '%(asctime)s - %(levelname)s: %(message)s')
    logging.debug('this is a message')
    logging.info("this is a info")
    logging.disable(30)#logging.WARNING
    logging.warning("this is a warnning")
    logging.critical("this is a critical issue")
    logging.error("this is a error")
    logging.addLevelName(88,"MyCustomError")
    logging.log(88,"this is an my custom error")
    try:
      raise Exception('this is a exception')
    except:
      logging.exception( 'exception')
    logging.shutdown()

TestLogBasic()

說明:(此實例為最簡單的用法,用來將log記錄到log文件中)

1)logging.basicConfig()中定義默認的log到log.txt,log文件為append模式,處理所有的level大于logging.NOTSET的logging,log的格式定義為'%(asctime)s - %(levelname)s: %(message)s';

2)使用logging.debug()...等來log相應level的log;

3)使用logging.disable()來disable某個logging level;

4)使用logging.addLevelName增加自定義的logging level;

5)使用logging.log來log自定義的logging level的log;

輸出的text的log如下:

復制代碼 代碼如下:

2011-01-18 10:02:45,415 - DEBUG: this is a message
2011-01-18 10:02:45,463 - INFO: this is a info
2011-01-18 10:02:45,463 - CRITICAL: this is a critical issue
2011-01-18 10:02:45,463 - ERROR: this is a error
2011-01-18 10:02:45,463 - MyCustomError: this is an my custom error
2011-01-18 10:02:45,463 - ERROR: exception
Traceback (most recent call last):
  File "testlog.py", line 15, in TestLogBasic
    raise Exception('this is a exception')
Exception: this is a exception

二、logging的level

復制代碼 代碼如下:

#logging level
#logging.NOTSET 0
#logging.DEBUG 10
#logging.INFO 20
#logging.WARNING 30
#logging.ERROR 40
#logging.CRITICAL 50

logging的level對應于一個int,例如10,20...用戶可以自定義logging的level。

可以使用logging.setLevel()來指定要處理的logger級別,例如my_logger.setLevel(logging.DEBUG)表示只處理logging的level大于10的logging。
 

三、Handlers

Handler定義了log的存儲和顯示方式。

NullHandler不做任何事情。

StreamHandler實例發(fā)送錯誤到流(類似文件的對象)。
FileHandler實例發(fā)送錯誤到磁盤文件。
BaseRotatingHandler是所有輪徇日志的基類,不能直接使用。但是可以使用RotatingFileHandler和TimeRotatingFileHandler。
RotatingFileHandler實例發(fā)送信息到磁盤文件,并且限制最大的日志文件大小,并適時輪徇。
TimeRotatingFileHandler實例發(fā)送錯誤信息到磁盤,并在適當的事件間隔進行輪徇。
SocketHandler實例發(fā)送日志到TCP/IP socket。
DatagramHandler實例發(fā)送錯誤信息通過UDP協(xié)議。
SMTPHandler實例發(fā)送錯誤信息到特定的email地址。
SysLogHandler實例發(fā)送日志到UNIX syslog服務,并支持遠程syslog服務。
NTEventLogHandler實例發(fā)送日志到WindowsNT/2000/XP事件日志。
MemoryHandler實例發(fā)送日志到內存中的緩沖區(qū),并在達到特定條件時清空。
HTTPHandler實例發(fā)送錯誤信息到HTTP服務器,通過GET或POST方法。
NullHandler,StreamHandler和FileHandler類都是在核心logging模塊中定義的。其他handler定義在各個子模塊中,叫做logging.handlers。

當然還有一個logging.config模塊提供了配置功能。

四、FileHandler + StreamHandler

復制代碼 代碼如下:

def TestHanderAndFormat():
    import logging
    logger = logging.getLogger("simple")
    logger.setLevel(logging.DEBUG)
   
    # create file handler which logs even debug messages
    fh = logging.FileHandler("simple.log")
    fh.setLevel(logging.DEBUG)
   
    # create console handler with a higher log level
    ch = logging.StreamHandler()
    ch.setLevel(logging.ERROR)
   
    # create formatter and add it to the handlers
    formatter = logging.Formatter("%(asctime)s - %(name)s - %(levelname)s - %(message)s")
    ch.setFormatter(formatter)
    fh.setFormatter(formatter)
   
    # add the handlers to logger
    logger.addHandler(ch)
    logger.addHandler(fh)

    # "application" code
    logger.debug("debug message")
    logger.info("info message")
    logger.warn("warn message")
    logger.error("error message")
    logger.critical("critical message")

TestHanderAndFormat()

說明:(此實例同時使用FileHandler和StreamHandler來實現(xiàn)同時將log寫到文件和console)

1)使用logging.getLogger()來新建命名logger;

2)使用logging.FileHandler()來生成FileHandler來將log寫入log文件,使用logger.addHandler()將handler與logger綁定;

3)使用logging.StreamHandler()來生成StreamHandler來將log寫到console,使用logger.addHandler()將handler與logger綁定;

4)使用logging.Formatter()來構造log格式的實例,使用handler.setFormatter()來將formatter與handler綁定;

 運行結果

simple.txt

復制代碼 代碼如下:

2011-01-18 11:25:57,026 - simple - DEBUG - debug message
2011-01-18 11:25:57,072 - simple - INFO - info message
2011-01-18 11:25:57,072 - simple - WARNING - warn message
2011-01-18 11:25:57,072 - simple - ERROR - error message
2011-01-18 11:25:57,072 - simple - CRITICAL - critical message

console

復制代碼 代碼如下:

2011-01-18 11:25:57,072 - simple - ERROR - error message
2011-01-18 11:25:57,072 - simple - CRITICAL - critical message

五、RotatingFileHandler

復制代碼 代碼如下:

def TestRotating():
    import glob
    import logging
    import logging.handlers
   
    LOG_FILENAME = 'logging_rotatingfile_example.out'

    # Set up a specific logger with our desired output level
    my_logger = logging.getLogger('MyLogger')
    my_logger.setLevel(logging.DEBUG)

    # Add the log message handler to the logger
    handler = logging.handlers.RotatingFileHandler(LOG_FILENAME, maxBytes=20, backupCount=5)

    my_logger.addHandler(handler)

    # Log some messages
    for i in range(20):
        my_logger.debug('i = %d' % i)

    # See what files are created
    logfiles = glob.glob('%s*' % LOG_FILENAME)

    for filename in logfiles:
        print(filename)
       
TestRotating()

說明:

RotatingFileHandler指定了單個log文件的size的最大值和log文件的數量的最大值,如果文件大于最大值,將分割為多個文件,如果log文件的數量多于最多個數,最老的log文件將被刪除。例如此例中最新的log總是在logging_rotatingfile_example.out,logging_rotatingfile_example.out.5中包含了最老的log。

運行結果:

復制代碼 代碼如下:

logging_rotatingfile_example.out
logging_rotatingfile_example.out.1
logging_rotatingfile_example.out.2
logging_rotatingfile_example.out.3
logging_rotatingfile_example.out.4
logging_rotatingfile_example.out.5

六、使用fileConfig來使用logger

復制代碼 代碼如下:

import logging
import logging.config

logging.config.fileConfig("logging.conf")

# create logger
logger = logging.getLogger("simpleExample")

# "application" code
logger.debug("debug message")
logger.info("info message")
logger.warn("warn message")
logger.error("error message")
logger.critical("critical message")

logging.conf文件如下:

復制代碼 代碼如下:

[loggers]
keys=root,simpleExample

[handlers]
keys=consoleHandler

[formatters]
keys=simpleFormatter

[logger_root]
level=DEBUG
handlers=consoleHandler

[logger_simpleExample]
level=DEBUG
handlers=consoleHandler
qualname=simpleExample
propagate=0

[handler_consoleHandler]
class=StreamHandler
level=DEBUG
formatter=simpleFormatter
args=(sys.stdout,)

[formatter_simpleFormatter]
format=%(asctime)s - %(name)s - %(levelname)s - %(message)s
datefmt=

運行結果:

復制代碼 代碼如下:

2005-03-19 15:38:55,977 - simpleExample - DEBUG - debug message
2005-03-19 15:38:55,979 - simpleExample - INFO - info message
2005-03-19 15:38:56,054 - simpleExample - WARNING - warn message
2005-03-19 15:38:56,055 - simpleExample - ERROR - error message
2005-03-19 15:38:56,130 - simpleExample - CRITICAL - critical message

相關文章

  • python 檢測圖片是否有馬賽克

    python 檢測圖片是否有馬賽克

    這篇文章主要介紹了python 如何檢測圖片是否有馬賽克,幫助大家更好的理解和使用python處理圖片,感興趣的朋友可以了解下
    2020-12-12
  • python中yield的用法詳解——最簡單,最清晰的解釋

    python中yield的用法詳解——最簡單,最清晰的解釋

    這篇文章主要介紹了python中yield的用法,文中通過示例代碼介紹的非常詳細,對大家的學習或者工作具有一定的參考學習價值,需要的朋友們下面隨著小編來一起學習學習吧
    2019-04-04
  • Python操作MongoDB數據庫的方法示例

    Python操作MongoDB數據庫的方法示例

    這篇文章主要介紹了Python操作MongoDB數據庫的方法,結合實例形式分析了Python命令行模式下操作MongoDB數據庫實現(xiàn)連接、查找、刪除、排序等相關操作技巧,需要的朋友可以參考下
    2018-01-01
  • Python調整圖像hue值結合ImageEnhance庫以實現(xiàn)色調增強

    Python調整圖像hue值結合ImageEnhance庫以實現(xiàn)色調增強

    這篇文章主要介紹了Python調整圖像hue值結合ImageEnhance庫以實現(xiàn)色調增強,PIL庫中的ImageEnhance類可用于圖像增強,可以調節(jié)圖像的亮度、對比度、色度和銳度,通過RGB到HSV的變換加調整可以對圖像的色調進行調整,需要的朋友可以參考下
    2023-09-09
  • python使用正則篩選信用卡

    python使用正則篩選信用卡

    這篇文章主要為大家詳細介紹了python使用正則篩選信用卡,具有一定的參考價值,感興趣的小伙伴們可以參考一下
    2019-01-01
  • python游戲開發(fā)的五個案例分享

    python游戲開發(fā)的五個案例分享

    本文給大家分享了作者整理的五個python游戲開發(fā)的案例,通過具體設計思路,代碼等方面詳細了解python游戲開發(fā)的過程,非常的詳細,希望大家能夠喜歡
    2020-03-03
  • Django數據庫遷移報錯InconsistentMigrationHistory

    Django數據庫遷移報錯InconsistentMigrationHistory

    最近在使用Django,學習了一下Django數據庫遷移,在執(zhí)行遷移命令時,突然報錯,本文就總結了一下原因,感興趣的小伙伴們可以參考一下
    2021-05-05
  • Python高級特性 切片 迭代解析

    Python高級特性 切片 迭代解析

    這篇文章主要介紹了Python高級特性 切片 迭代解析,文中通過示例代碼介紹的非常詳細,對大家的學習或者工作具有一定的參考學習價值,需要的朋友可以參考下
    2019-08-08
  • Python文件簡單操作及openpyxl操作excel文件詳解

    Python文件簡單操作及openpyxl操作excel文件詳解

    這篇文章主要為大家詳細介紹了python對文件的簡單使用及openpyxl操作excel文件的方法,文中的示例代碼講解詳細,感興趣的小伙伴可以了解一下
    2022-10-10
  • Flask框架學習筆記之模板操作實例詳解

    Flask框架學習筆記之模板操作實例詳解

    這篇文章主要介紹了Flask框架學習筆記之模板操作,結合實例形式詳細分析了flask框架模板引擎Jinja2的模板調用、模板繼承相關原理與操作技巧,需要的朋友可以參考下
    2019-08-08

最新評論