2012-03-06 00:18 31605人阅读 评论(8) 收藏 举报
分类:
Python(17) 

版权声明:本文为博主原创文章,未经博主允许不得转载。

 

目录(?)[+]

 

1. logging介绍

Python的logging模块提供了通用的日志系统,可以方便第三方模块或者是应用使用。这个模块提供不同的日志级别,并可以采用不同的方式记录日志,比如文件,HTTP GET/POST,SMTP,Socket等,甚至可以自己实现具体的日志记录方式。

logging模块与log4j的机制是一样的,只是具体的实现细节不同。模块提供logger,handler,filter,formatter。

logger:提供日志接口,供应用代码使用。logger最长用的操作有两类:配置和发送日志消息。可以通过logging.getLogger(name)获取logger对象,如果不指定name则返回root对象,多次使用相同的name调用getLogger方法返回同一个logger对象。

handler:将日志记录(log record)发送到合适的目的地(destination),比如文件,socket等。一个logger对象可以通过addHandler方法添加0到多个handler,每个handler又可以定义不同日志级别,以实现日志分级过滤显示。

filter:提供一种优雅的方式决定一个日志记录是否发送到handler。

formatter:指定日志记录输出的具体格式。formatter的构造方法需要两个参数:消息的格式字符串和日期字符串,这两个参数都是可选的。

与log4j类似,logger,handler和日志消息的调用可以有具体的日志级别(Level),只有在日志消息的级别大于logger和handler的级别。

  1. import logging
  2. import logging.handlers
  3. LOG_FILE = 'tst.log'
  4. handler = logging.handlers.RotatingFileHandler(LOG_FILE, maxBytes = 1024*1024, backupCount = 5) # 实例化handler
  5. fmt = '%(asctime)s - %(filename)s:%(lineno)s - %(name)s - %(message)s'
  6. formatter = logging.Formatter(fmt)   # 实例化formatter
  7. handler.setFormatter(formatter)      # 为handler添加formatter
  8. logger = logging.getLogger('tst')    # 获取名为tst的logger
  9. logger.addHandler(handler)           # 为logger添加handler
  10. logger.setLevel(logging.DEBUG)
  11. logger.info('first info message')
  12. logger.debug('first debug message')

输出:

  1. 2012-03-04 23:21:59,682 - log_test.py:16 - tst - first info message
  2. 2012-03-04 23:21:59,682 - log_test.py:17 - tst - first debug message

关于formatter的配置,采用的是%(<dict key>)s的形式,就是字典的关键字替换。提供的关键字包括:

Format Description
%(name)s Name of the logger (logging channel).
%(levelno)s Numeric logging level for the message (DEBUGINFOWARNINGERRORCRITICAL).
%(levelname)s Text logging level for the message ('DEBUG''INFO''WARNING''ERROR''CRITICAL').
%(pathname)s Full pathname of the source file where the logging call was issued (if available).
%(filename)s Filename portion of pathname.
%(module)s Module (name portion of filename).
%(funcName)s Name of function containing the logging call.
%(lineno)d Source line number where the logging call was issued (if available).
%(created)f Time when the LogRecord was created (as returned by time.time()).
%(relativeCreated)d Time in milliseconds when the LogRecord was created, relative to the time the logging module was loaded.
%(asctime)s Human-readable time when the LogRecord was created. By default this is of the form “2003-07-08 16:49:45,896” (the numbers after the comma are millisecond portion of the time).
%(msecs)d Millisecond portion of the time when the LogRecord was created.
%(thread)d Thread ID (if available).
%(threadName)s Thread name (if available).
%(process)d Process ID (if available).
%(message)s The logged message, computed as msg % args.

这个是摘自官网,提供了很多信息。

2. logging的配置

logging的配置可以采用python代码或是配置文件。python代码的方式就是在应用的主模块中,构建handler,handler,formatter等对象。而配置文件的方式是将这些对象的依赖关系分离出来放在文件中。比如前面的例子就类似于python代码的配置方式。这里看一下采用配置文件的方式。

  1. import logging
  2. import logging.config
  3. logging.config.fileConfig("logging.conf")    # 采用配置文件
  4. # create logger
  5. logger = logging.getLogger("simpleExample")
  6. # "application" code
  7. logger.debug("debug message")
  8. logger.info("info message")
  9. logger.warn("warn message")
  10. logger.error("error message")
  11. logger.critical("critical message")

loggin.conf采用了模式匹配的方式进行配置,正则表达式是r'^[(.*)]$',从而匹配出所有的组件。对于同一个组件具有多个实例的情况使用逗号‘,’进行分隔。对于一个实例的配置采用componentName_instanceName配置块。使用这种方式还是蛮简单的。

  1. [loggers]
  2. keys=root,simpleExample
  3. [handlers]
  4. keys=consoleHandler
  5. [formatters]
  6. keys=simpleFormatter
  7. [logger_root]
  8. level=DEBUG
  9. handlers=consoleHandler
  10. [logger_simpleExample]
  11. level=DEBUG
  12. handlers=consoleHandler
  13. qualname=simpleExample
  14. propagate=0
  15. [handler_consoleHandler]
  16. class=StreamHandler
  17. level=DEBUG
  18. formatter=simpleFormatter
  19. args=(sys.stdout,)
  20. [formatter_simpleFormatter]
  21. format=%(asctime)s - %(name)s - %(levelname)s - %(message)s
  22. datefmt=

在指定handler的配置时,class是具体的handler类的类名,可以是相对logging模块或是全路径类名,比如需要RotatingFileHandler,则class的值可以为:RotatingFileHandler或者logging.handlers.RotatingFileHandler。args就是要传给这个类的构造方法的参数,就是一个元组,按照构造方法声明的参数的顺序。

输出:

  1. 2012-03-06 00:09:35,713 - simpleExample - DEBUG - debug message
  2. 2012-03-06 00:09:35,713 - simpleExample - INFO - info message
  3. 2012-03-06 00:09:35,714 - simpleExample - WARNING - warn message
  4. 2012-03-06 00:09:35,714 - simpleExample - ERROR - error message
  5. 2012-03-06 00:09:35,714 - simpleExample - CRITICAL - critical message

这里还要明确一点,logger对象是有继承关系的,比如名为a.b和a.c的logger都是名为a的子logger,并且所有的logger对象都继承于root。如果子对象没有添加handler等一些配置,会从父对象那继承。这样就可以通过这种继承关系来复用配置。

3. 多模块使用logging

        logging模块保证在同一个python解释器内,多次调用logging.getLogger('log_name')都会返回同一个logger实例,即使是在多个模块的情况下。所以典型的多模块场景下使用logging的方式是在main模块中配置logging,这个配置会作用于多个的子模块,然后在其他模块中直接通过getLogger获取Logger对象即可。

这里使用上面配置文件:

  1. [loggers]
  2. keys=root,main
  3. [handlers]
  4. keys=consoleHandler,fileHandler
  5. [formatters]
  6. keys=fmt
  7. [logger_root]
  8. level=DEBUG
  9. handlers=consoleHandler
  10. [logger_main]
  11. level=DEBUG
  12. qualname=main
  13. handlers=fileHandler
  14. [handler_consoleHandler]
  15. class=StreamHandler
  16. level=DEBUG
  17. formatter=fmt
  18. args=(sys.stdout,)
  19. [handler_fileHandler]
  20. class=logging.handlers.RotatingFileHandler
  21. level=DEBUG
  22. formatter=fmt
  23. args=('tst.log','a',20000,5,)
  24. [formatter_fmt]
  25. format=%(asctime)s - %(name)s - %(levelname)s - %(message)s
  26. datefmt=

主模块main.py:

  1. import logging
  2. import logging.config
  3. logging.config.fileConfig('logging.conf')
  4. root_logger = logging.getLogger('root')
  5. root_logger.debug('test root logger...')
  6. logger = logging.getLogger('main')
  7. logger.info('test main logger')
  8. logger.info('start import module \'mod\'...')
  9. import mod
  10. logger.debug('let\'s test mod.testLogger()')
  11. mod.testLogger()
  12. root_logger.info('finish test...')

子模块mod.py:

  1. import logging
  2. import submod
  3. logger = logging.getLogger('main.mod')
  4. logger.info('logger of mod say something...')
  5. def testLogger():
  6. logger.debug('this is mod.testLogger...')
  7. submod.tst()

子子模块submod.py:

  1. import logging
  2. logger = logging.getLogger('main.mod.submod')
  3. logger.info('logger of submod say something...')
  4. def tst():
  5. logger.info('this is submod.tst()...')

然后运行python main.py,控制台输出:

  1. 2012-03-09 18:22:22,793 - root - DEBUG - test root logger...
  2. 2012-03-09 18:22:22,793 - main - INFO - test main logger
  3. 2012-03-09 18:22:22,809 - main - INFO - start import module 'mod'...
  4. 2012-03-09 18:22:22,809 - main.mod.submod - INFO - logger of submod say something...
  5. 2012-03-09 18:22:22,809 - main.mod - INFO - logger say something...
  6. 2012-03-09 18:22:22,809 - main - DEBUG - let's test mod.testLogger()
  7. 2012-03-09 18:22:22,825 - main.mod - DEBUG - this is mod.testLogger...
  8. 2012-03-09 18:22:22,825 - main.mod.submod - INFO - this is submod.tst()...
  9. 2012-03-09 18:22:22,841 - root - INFO - finish test...

可以看出,和预想的一样,然后在看一下tst.log,logger配置中的输出的目的地:

  1. 2012-03-09 18:22:22,793 - main - INFO - test main logger
  2. 2012-03-09 18:22:22,809 - main - INFO - start import module 'mod'...
  3. 2012-03-09 18:22:22,809 - main.mod.submod - INFO - logger of submod say something...
  4. 2012-03-09 18:22:22,809 - main.mod - INFO - logger say something...
  5. 2012-03-09 18:22:22,809 - main - DEBUG - let's test mod.testLogger()
  6. 2012-03-09 18:22:22,825 - main.mod - DEBUG - this is mod.testLogger...
  7. 2012-03-09 18:22:22,825 - main.mod.submod - INFO - this is submod.tst()...

tst.log中没有root logger输出的信息,因为logging.conf中配置了只有main logger及其子logger使用RotatingFileHandler,而root logger是输出到标准输出。

Python日志输出——logging模块的更多相关文章

  1. Python模块:日志输出—logging模块

    1. logging介绍 Python的logging模块提供了通用的日志系统,可以方便第三方模块或者是应用使用.这个模块提供不同的日志级别,并可以采用不同的方式记录日志,比如文件,HTTP GET/ ...

  2. python日志记录-logging模块

    1.logging模块日志级别 使用logging模块简单示例: >>>import logging >>>logging.debug("this's a ...

  3. Python之日志处理 logging模块

    Python之日志处理(logging模块)   本节内容 日志相关概念 logging模块简介 使用logging提供的模块级别的函数记录日志 logging模块日志流处理流程 使用logging四 ...

  4. Python自建logging模块

    本章将介绍Python内建模块:日志模块,更多内容请从参考:Python学习指南 简单使用 最开始,我们用最短的代码体验一下logging的基本功能. import logging logger = ...

  5. Python实战之logging模块使用详解

    用Python写代码的时候,在想看的地方写个print xx 就能在控制台上显示打印信息,这样子就能知道它是什么了,但是当我需要看大量的地方或者在一个文件中查看的时候,这时候print就不大方便了,所 ...

  6. Python中的logging模块就这么用

    Python中的logging模块就这么用 1.日志日志一共分成5个等级,从低到高分别是:DEBUG INFO WARNING ERROR CRITICALDEBUG:详细的信息,通常只出现在诊断问题 ...

  7. Python 日志输出中添加上下文信息

    Python日志输出中添加上下文信息 除了传递给日志记录函数的参数(如msg)外,有时候我们还想在日志输出中包含一些额外的上下文信息.比如,在一个网络应用中,可能希望在日志中记录客户端的特定信息,如: ...

  8. python 学习笔记 -logging模块(日志)

    模块级函数 logging.getLogger([name]):返回一个logger对象,如果没有指定名字将返回root loggerlogging.debug().logging.info().lo ...

  9. Python的日志记录-logging模块的使用

    一.日志 1.1什么是日志 日志是跟踪软件运行时所发生的事件的一种方法,软件开发者在代码中调用日志函数,表明发生了特定的事件,事件由描述性消息描述,同时还包含事件的重要性,重要性也称为级别或严重性. ...

随机推荐

  1. 远程连接数据库(通过pgAdmin)

    1.编辑/var/lib/pgsql/data/pg_hba.conf,增加语句  host all all 192.168.105.225/36 trust 让数据库接受网络 192.168.105 ...

  2. XSS的原理分析与解剖[转http://www.freebuf.com/articles/web/40520.html]

    0×01 前言: <xss攻击手法>一开始在互联网上资料并不多(都是现成的代码,没有从基础的开始),直到刺的<白帽子讲WEB安全>和cn4rry的<XSS跨站脚本攻击剖析 ...

  3. Huffman树的编码译码

    上个学期做的课程设计,关于Huffman树的编码译码. 要求: 输入Huffman树各个叶结点的字符和权值,建立Huffman树并执行编码操作 输入一行仅由01组成的电文字符串,根据建立的Huffma ...

  4. RMAN 报:ORA-19504 ORA-27038

    在itpub中看到下面的问题: oracle 10g备份脚本如下run{allocate channel d1 device type disk MAXPIECESIZE=100M;crosschec ...

  5. golang的{}初始化

    之前说到Golang中某些类型可以赋值nil, 某些类型不能赋值nil. 不能赋值nil都是initialized value不为nil的类型, 例如: bool int, intN uint, ui ...

  6. 3.Knockout.Js(属性绑定)

    前言 让visible绑定到DOM元素上,使得该元素的hidden或visible取决于绑定的值. 简单的绑定 首先还是先定义一个ViewModel var AppViewModel = { shou ...

  7. Linux下安装MySQLdb模块

    1,查看是否已安装MySQLdb模块 进入python的命令行,输入 import MySQLdb 如果没有报错,证明此模块已经安装,可以跳过以下步骤. 2,下载最新的MySQLdb安装包: wget ...

  8. 单点登录 关于Cookie跨域的问题

    public void ProcessRequest(HttpContext context) { HttpCookie cookie = new HttpCookie("name" ...

  9. PB中无法插入ole控件,解决办法

    cmd /c for %i in (%windir%\system32\*.ocx) do regsvr32.exe /s %icmd /c for %i in (%windir%\system32\ ...

  10. C语言中链表节点的实现,以及如何实现泛型

    1.C语言中的struct是纯粹的结构体,没有访问权限的概念 2.C语言中用void* 来实现泛型编程,也是C++类和模板底层实现的基础,就是用void*来实现的 #include<stdio. ...