参考:

https://docs.python.org/2/howto/logging.html#logging-basic-tutorial

https://docs.python.org/2/library/logging.config.html#logging-config-api

https://docs.python.org/2/howto/logging-cookbook.html#logging-cookbook

http://victorlin.me/posts/2012/08/26/good-logging-practice-in-python

背景

Logging 用来追踪程序运行过程中发生的事件, 事件按其重要性可划分为不同的级别: DEBUG, INFO, WARNING, ERROR, CRITICAL.

  • DEBUG            运行中的详细信息, 特别用于代码调试
  • INFO               确认事情按照期待的方式发生了
  • WARNING        一些超出预期的事情发生或将要发生, 但是程序仍可以按照期望的方式继续运行
  • ERROR            发生了更严重的事情, 程序的一些功能会受到影响, 无法进行
  • CRITICAL        程序炸了

默认的级别是 WARNING, DEBUG 和 INFO 会被忽略.

输出到终端

import logging

logging.info("info information")    # will print nothing
logging.warn("warn infotmation") # will print a message to the console Output:
WARNING:root:warn infotmation

观察输出, WARNING 是级别, warn infomation 是记录的信息, root是啥? root 是 logger 的名字.

虽然我们没有显式创建 root logger, root logger 是默认创建的.

输出到文件

import logging

logging.basicConfig(filename="example.log", level=DEBUG)
logging.debug("debug information")
logging.info("info information")
logging.error("error information") example.log
DEBUG:root:debug information
INFO:root:info information
ERROR:root:error information

注意到 basicConfig 方法, 该方法创建一个使用默认 Formatter 的 StreamHandler 并添加到 root logger. 如果 root logger 已经配置了 handler, 调用该方法 will do nothing.

参数 filename 用来指定日志输出的文件名, 一旦指定了 filename, StreamHandler 不会被创建, FileHandler 会代替 SteamHandler 添加到 root logger.

名词解释

Logger        提供应用直接调用的接口

Handler       将 logger 创建的日志发送到设定的目的地

Filter           过滤日志, 决定哪些可以输出(暂时用不到, 略)

Formatter    确定日志最终的输出格式

Logger

  • Logger.setLevel()    设定级别
  • Logger.addHandler(), Logger.removeHandler()    添加或删除 Handler
  • Logger.addFilter(), Logger.removeFilter()    添加或删除 Filter
  • Logger.debug(), Logger.info(), Logger.warn(), Logger.error(), Logger.critical()
  • Logger.exception()    输出与 Logger.error() 相似, 附加异常详情, 用于异常处理

Handler

  • Handler.setLevel()    设定级别, 决定是否继续传递
  • Handler.setFormatter()    设定输出格式
  • Handler.addFilter(), Handler.removeFilter()    添加或删除Filter

Formatter

  • Formatter.__init__(fmt=None, datefmt=None)    datefmt 默认为 "%Y-%m-%d %H:%M:%S" with the milliseconds tacked on at the end, fmt 默认为 "%(levelname)s:%(name)s:%(message)s"

同时输出到终端和文件, 终端级别为DEBUG, 文件级别为ERROR

import logging

logger = logging.getLogger(__name__)
logger.setLevel(level=logging.DEBUG) formatter = logging.Formatter("%(asctime)s-%(name)s-%(levelname)s-%(message)s") console = logging.StreamHandler()
console.setLevel(level=logging.DEBUG)
console.setFormatter(formatter) logfile = logging.FileHandler("example.log")
logfile.setLevel(level=logging.ERROR)
logfile.setFormatter(formatter) logger.addHandler(console)
logger.addHandler(logfile) logger.debug("debug information")
logger.info("info information")
logger.warn("warn information")
logger.error("error information")
logger.critical("critical information") Output:
2016-09-03 23:49:17,207-__main__-DEBUG-debug information
2016-09-03 23:49:17,207-__main__-INFO-info information
2016-09-03 23:49:17,207-__main__-WARNING-warn information
2016-09-03 23:49:17,207-__main__-ERROR-error information
2016-09-03 23:49:17,207-__main__-CRITICAL-critical information example.log
2016-09-03 23:49:17,207-__main__-ERROR-error information
2016-09-03 23:49:17,207-__main__-CRITICAL-critical information

logging.FileHandler() 支持相对路径和绝对路径, 习惯上使用绝对路径会好一些

logging.config.dictConfig

从字典中读取配置信息, 配置信息可以存储为 json 或 yaml 格式, yaml 更易读, pip install pyyaml

version: 1

disable_existing_logger: False

formatters:
brief:
format: "%(asctime)s - %(name)s - %(levelname)s - %(message)s" handlers:
console:
class: logging.StreamHandler
level: DEBUG
formatter: brief file:
class: logging.handlers.RotatingFileHandler
level: INFO
formatter: brief
filename: info.log
maxBytes: 10500000
backupCount: 5
encoding: utf8 mail:
class: logging.handlers.SMTPHandler
level: ERROR
formatter: brief
mailhost: localhost
fromaddr: username@test.com
toaddrs: [receiver0@test.com, receiver1@test.com]
subject: Program crashed!!! loggers:
warthog:
level: ERROR
handlers: [file, mail]
propagate: no root:
level: DEBUG
handlers: [console]

varsion: 1    必须存在且必须为1

disable_existing_logger    默认为 True, 会禁用除当前模块的所有 logger

handlers    console, file, mail 标识不同的 handler, class, level, formatter 指定特定的 Handler, 级别, 输出格式, 其他的参数由不同的 Handler 决定.

loggers    warthog 标识不同的 logger, 使用方式为 logger.getLogger("warthog"), propagate 默认为 yes, warthog logger 的日志会向上传递到 root logger.

如果一个模块叫做 warthog.py, logger = logging.getLogger(__name__), 该 logger 就是 logger warthog

进阶

use __name__ as the logger name

__name__ 是当前模块的名字, 假设当前模块是 foo.bar.my_module, 只要对 logger foo 进行设置, 所有 foo. 中模块的 logger 会自动继承.

logger.exception

try:
open('/path/to/does/not/exist', 'rb')
except (SystemExit, KeyboardInterrupt):
raise
except Exception as e:
logger.exception("Failed to open file")
#logger.error("Failed to open file", exc_info=True) Output: ERROR:__main__:Failed to open file
Traceback (most recent call last):
File "example.py", line 6, in <module>
open('/path/to/does/not/exist', 'rb')
IOError: [Errno 2] No such file or directory: '/path/to/does/not/exist'

Do not get logger at the module level unless disable_existing_loggers is False

# not good
import logging logger = logging.getLogger(__name__) def foo():
logger.info("info message") # better
import logging
def foo():
logger = logging.getLogger(__name__)
logger.info("info message")

python logging的更多相关文章

  1. python logging模块可能会令人困惑的地方

    python logging模块主要是python提供的通用日志系统,使用的方法其实挺简单的,这块就不多介绍.下面主要会讲到在使用python logging模块的时候,涉及到多个python文件的调 ...

  2. python logging 配置

    python logging 配置 在python中,logging由logger,handler,filter,formater四个部分组成,logger是提供我们记录日志的方法:handler是让 ...

  3. Python LOGGING使用方法

    Python LOGGING使用方法 1. 简介 使用场景 场景 适合使用的方法 在终端输出程序或脚本的使用方法 print 报告一个事件的发生(例如状态的修改) logging.info()或log ...

  4. python logging 日志轮转文件不删除问题

    前言 最近在维护项目的python项目代码,项目使用了 python 的日志模块 logging, 设定了保存的日志数目, 不过没有生效,还要通过contab定时清理数据. 分析 项目使用了 logg ...

  5. python logging模块使用

    近来再弄一个小项目,已经到收尾阶段了.希望加入写log机制来增加程序出错后的判断分析.尝试使用了python logging模块. #-*- coding:utf-8 -*- import loggi ...

  6. python Logging的使用

    日志是用来记录程序在运行过程中发生的状况,在程序开发过程中添加日志模块能够帮助我们了解程序运行过程中发生了哪些事件,这些事件也有轻重之分. 根据事件的轻重可分为以下几个级别: DEBUG: 详细信息, ...

  7. Python logging 模块和使用经验

    记录下常用的一些东西,每次用总是查文档有点小麻烦. py2.7 日志应该是生产应用的重要生命线,谁都不应该掉以轻心 有益原则 级别分离 日志系统通常有下面几种级别,看情况是使用 FATAL - 导致程 ...

  8. Python logging日志系统

    写我小小的日志系统 配置logging有以下几种方式: 1)使用Python代码显式的创建loggers, handlers和formatters并分别调用它们的配置函数: 2)创建一个日志配置文件, ...

  9. python logging模块使用流程

    #!/usr/local/bin/python # -*- coding:utf-8 -*- import logging logging.debug('debug message') logging ...

  10. python logging 日志轮转文件不删除问题的解决方法

    项目使用了 logging 的 TimedRotatingFileHandler : #!/user/bin/env python # -*- coding: utf-8 -*- import log ...

随机推荐

  1. 【深入理解计算机系统02】ISA 与内存模型

    第二篇:认识ISA(Instruction Set Architecture) 重要概念: [ISA] [IA-32]:Intel把32位x86架构的名称x86-32改称为IA-32,一种身边很常见的 ...

  2. html盒子模型

    http://www.cnblogs.com/sunyunh/archive/2012/09/01/2666841.html

  3. Webpack 中文指南

    来源于:http://webpackdoc.com/index.html Webpack 是当下最热门的前端资源模块化管理和打包工具.它可以将许多松散的模块按照依赖和规则打包成符合生产环境部署的前端资 ...

  4. 添加native service

    原文地址:http://blog.csdn.net/zhx6044/article/details/47342227 Native Service 其实就是一个 linux 守护进程,提供一些服务,不 ...

  5. 移动端webUI框架(HTML5手机框架)

    淘宝SUI Mobile框架 官网地址:http://m.sui.taobao.org/ SUI Mobile 是一套基于 Framework7 开发的UI库.它非常轻量.精美,只需要引入我们的CDN ...

  6. <<< 编程类开发工具

    Java.开发工具 java运行环境JDK下载 1.6 →下载JDK1.6 1.7 →下载JDK1.7 简介:著名的跨平台开源集成开发环境(IDE).最初主要用来Java语言开发,Eclipse的本身 ...

  7. WinForm------TextEdit只能输入数字

    代码: this.textEdit1.Properties.Mask.EditMask = @"\d+"; this.textEdit1.Properties.Mask.MaskT ...

  8. SH Script Grammar

    http://linux.about.com/library/cmd/blcmdl1_sh.htm http://pubs.opengroup.org/onlinepubs/9699919799/ut ...

  9. 1.0、Struts2的简单搭建方法

    一.Struts2:是一个基于MVC设计模式的Web应用框架,它本质上相当于一个servlet:用于jsp页面与Java代码之间的交互. 1.核心:Filter拦截器,对所有的请求进行拦截. 2.工作 ...

  10. vijos1404 遭遇战

    描述 今天,他们在打一张叫DUSTII的地图,万恶的恐怖分子要炸掉藏在A区的SQC论坛服务器!我们SQC的人誓死不屈,即将于恐怖分子展开激战,准备让一个人守着A区,这样恐怖分子就不能炸掉服务器了.(一 ...