python日志模块logging学习

时间:2022-08-30 15:57:54

介绍

Python本身带有logging模块,其默认支持直接输出到控制台(屏幕),或者通过配置输出到文件中。同时支持TCP、HTTP、GET/POST、SMTP、Socket等协议,将日志信息发送到网络等等。


Python日志级别

日志级别大小关系为:CRITICAL > ERROR > WARNING > INFO > DEBUG > NOTSET,当然也可以自己定义日志级别。

直接使用logging

没有配置logging时,日志会直接输出到控制台

import logging
if __name__ == "__main__":
logging.debug("hello debug")
logging.info("hello info")
logging.warning("hello warning")
logging.error("hello error")

输出结果:

WARNING:root:hello warning
ERROR:root:hello error

是不是少了上面两个? 因为默认情况下,logging的级别为warning.


配置logging

通过logging.basicConfig函数做相关配置:

import logging

logging.basicConfig(level=logging.DEBUG,
format='%(asctime)s %(filename)s[line:%(lineno)d] %(levelname)s %(message)s',) if __name__ == "__main__":
logging.debug("hello debug")
logging.info("hello info")
logging.warning("hello warning")
logging.error("hello error")

输出为:

2017-03-28 12:22:55,052 test.py[line:8] DEBUG hello debug
2017-03-28 12:22:55,053 test.py[line:9] INFO hello info
2017-03-28 12:22:55,053 test.py[line:10] WARNING hello warning
2017-03-28 12:22:55,054 test.py[line:11] ERROR hello error

可以指定日期格式。python中时间日期格式化符号:

>%y 两位数的年份表示(00-99)

%Y 四位数的年份表示(000-9999)

%m 月份(01-12)

%d 月内中的一天(0-31)

%H 24小时制小时数(0-23)

%I 12小时制小时数(01-12)

%M 分钟数(00=59)

%S 秒(00-59)

%a 本地简化星期名称

%A 本地完整星期名称

%b 本地简化的月份名称

%B 本地完整的月份名称

%c 本地相应的日期表示和时间表示

%j 年内的一天(001-366)

%p 本地A.M.或P.M.的等价符

%U 一年中的星期数(00-53)星期天为星期的开始

%w 星期(0-6),星期天为星期的开始

%W 一年中的星期数(00-53)星期一为星期的开始

%x 本地相应的日期表示

%X 本地相应的时间表示

%Z 当前时区的名称

%% %号本身

代码修改如下:

import logging

logging.basicConfig(level=logging.DEBUG,
format='%(asctime)s %(filename)s[line:%(lineno)d] %(levelname)s %(message)s',
datefmt='%Y-%m-%d %A %H:%M:%S') if __name__ == "__main__":
logging.debug("hello debug");
logging.info("hello info");
logging.warning("hello warning");
logging.error("hello error");

输出到文件中

通过logging.basicConfig来配置输出文件路径:

import logging

logging.basicConfig(level=logging.DEBUG,
format='%(asctime)s %(filename)s[line:%(lineno)d] %(levelname)s %(message)s',
datefmt='%Y-%m-%d %A %H:%M:%S',
filename='python.log',
filemode='w') if __name__ == "__main__":
logging.debug("hello debug");
logging.info("hello info");
logging.warning("hello warning");
logging.error("hello error");

输出结果:

2017-03-28 Tuesday 12:33:29 test.py[line:10] DEBUG hello debug
2017-03-28 Tuesday 12:33:29 test.py[line:11] INFO hello info
2017-03-28 Tuesday 12:33:29 test.py[line:12] WARNING hello warning
2017-03-28 Tuesday 12:33:29 test.py[line:13] ERROR hello error

logging.basicConfig函数各参数

  • filename: 指定日志文件名

  • filemode: 和file函数意义相同,指定日志文件的打开模式,'w'或'a'

  • format: 指定输出的格式和内容,format可以输出很多有用信息,如上例所示:

    %(levelno)s: 打印日志级别的数值

    %(levelname)s: 打印日志级别名称

    %(pathname)s: 打印当前执行程序的路径,其实就是sys.argv[0]

    %(filename)s: 打印当前执行程序名

    %(funcName)s: 打印日志的当前函数

    %(lineno)d: 打印日志的当前行号

    %(asctime)s: 打印日志的时间

    %(thread)d: 打印线程ID

    %(threadName)s: 打印线程名称

    %(process)d: 打印进程ID

    %(message)s: 打印日志信息

  • datefmt: 指定时间格式,同time.strftime()

  • level: 设置日志级别,默认为logging.WARNING

  • stream: 指定将日志的输出流,可以指定输出到sys.stderr,sys.stdout或者文件,默认输出到sys.stderr,当stream和filename同时指定时,stream被忽略。


同时输出到文件和控制台中

通过handler来让日志可以即输出到文件中又输出到控制台上。

import logging

logging.basicConfig(level=logging.DEBUG,
format='%(asctime)s %(filename)s[line:%(lineno)d] %(levelname)s %(message)s',
datefmt='%Y-%m-%d %A %H:%M:%S',
filename='python.log',
filemode='w') console = logging.StreamHandler()
console.setLevel(logging.INFO)
formatter = logging.Formatter('%(levelname)-8s %(message)s')
console.setFormatter(formatter)
logging.getLogger('').addHandler(console) if __name__ == "__main__":
logging.debug("hello debug");
logging.info("hello info");
logging.warning("hello warning");
logging.error("hello error");

控制台输出内容:

INFO     hello info
WARNING hello warning
ERROR hello error

文件中输出内容:

2017-03-28 Tuesday 12:38:19 test.py[line:16] DEBUG hello debug
2017-03-28 Tuesday 12:38:19 test.py[line:17] INFO hello info
2017-03-28 Tuesday 12:38:19 test.py[line:18] WARNING hello warning
2017-03-28 Tuesday 12:38:19 test.py[line:19] ERROR hello error

滚动文件日志

当日志一直向一个文件中输出,会导致文件太大。所以有时候希望日志文件滚动生成多个文件。

import logging
from logging.handlers import RotatingFileHandler logging.basicConfig(level=logging.DEBUG,
format='%(asctime)s %(filename)s[line:%(lineno)d] %(levelname)s %(message)s',
datefmt='%Y-%m-%d %A %H:%M:%S') rfhandler = RotatingFileHandler('python.log',
maxBytes=10*1024*1024,
backupCount=5)
rfhandler.setLevel(logging.INFO)
formatter = logging.Formatter('%(asctime)s %(levelname)-8s %(message)s')
rfhandler.setFormatter(formatter)
logging.getLogger('').addHandler(rfhandler) if __name__ == "__main__":
logging.debug("hello debug");
logging.info("hello info");
logging.warning("hello warning");
logging.error("hello error");

当文件输出超过1010241024=10M大小时,就会生成一个新的日志文件。

RotatingFileHandler的参数:

  • maxBytes 最大文件大小,单位字节,0代表无限大。
  • backupCount 保留的备份个数。

logging的Handler方式

logging的包括如下几种handler方式:

  • logging.StreamHandler: 日志输出到流,可以是sys.stderr、sys.stdout或者文件
  • logging.FileHandler: 日志输出到文件
  • logging.handlers.RotatingFileHandler: 基于文件日志大小滚动
  • logging.handlers.TimedRotatingFileHandler: 基于时间进行滚动
  • logging.handlers.BaseRotatingHandler
  • logging.handlers.SocketHandler: 远程输出日志到TCP/IP sockets
  • logging.handlers.DatagramHandler: 远程输出日志到UDP sockets
  • logging.handlers.SMTPHandler: 远程输出日志到邮件地址
  • logging.handlers.SysLogHandler: 日志输出到syslog
  • logging.handlers.NTEventLogHandler: 远程输出日志到Windows NT/2000/XP的事件日志
  • logging.handlers.MemoryHandler: 日志输出到内存中的制定buffer
  • logging.handlers.HTTPHandler: 通过"GET"或"POST"远程输出到HTTP服务器

由于StreamHandler和FileHandler是常用的日志处理方式,所以直接包含在logging模块中,而其他方式则包含在logging.handlers模块中,


使用logging配置文件

还有一种方式是不在代码中对logging进行配置,而是写到配置文件中。

#logger.conf
############################
[loggers]
keys=root,example01,example02 [logger_root]
level=DEBUG
handlers=hand01,hand02 [logger_example01]
handlers=hand01,hand02
qualname=example01
propagate=0 [logger_example02]
handlers=hand01,hand03
qualname=example02
propagate=0
############################
[handlers]
keys=hand01,hand02,hand03 [handler_hand01]
class=StreamHandler
level=INFO
formatter=form02
args=(sys.stderr,) [handler_hand02]
class=FileHandler
level=DEBUG
formatter=form01
args=('python.log', 'a') [handler_hand03]
class=handlers.RotatingFileHandler
level=INFO
formatter=form02
args=('python.log', 'a', 10*1024*1024, 5)
############################
[formatters]
keys=form01,form02 [formatter_form01]
format=%(asctime)s %(filename)s[line:%(lineno)d] %(levelname)s %(message)s
datefmt=%a, %d %b %Y %H:%M:%S [formatter_form02]
format=%(name)-12s: %(levelname)-8s %(message)s
datefmt=

在python使用如下:

import logging
import logging.config logging.config.fileConfig("logger.conf")
logger = logging.getLogger("example01") if __name__ == "__main__":
logger.debug("hello debug");
logger.info("hello info");
logger.warning("hello warning");
logger.error("hello error");

Formatter配置

日志的输出格式format:

%(levelno)s: 打印日志级别的数值

%(levelname)s: 打印日志级别名称

%(pathname)s: 打印当前执行程序的路径,其实就是sys.argv[0]

%(filename)s: 打印当前执行程序名

%(funcName)s: 打印日志的当前函数

%(lineno)d: 打印日志的当前行号

%(asctime)s: 打印日志的时间

%(thread)d: 打印线程ID

%(threadName)s: 打印线程名称

%(process)d: 打印进程ID

%(message)s: 打印日志信息

工作中给的常用格式是:

format='%(asctime)s - %(filename)s[line:%(lineno)d] - %(levelname)s: %(message)s'

这个格式可以输出日志的打印时间,是哪个模块输出的,输出的日志级别是什么,以及输入的日志内容。

@待续


参考:

http://blog.csdn.net/yatere/article/details/6655445

http://blog.csdn.net/z_johnny/article/details/50812878

http://blog.csdn.net/liuchunming033/article/details/39080457

python日志模块logging学习的更多相关文章

  1. python日志模块logging

    python日志模块logging   1. 基础用法 python提供了一个标准的日志接口,就是logging模块.日志级别有DEBUG.INFO.WARNING.ERROR.CRITICAL五种( ...

  2. Python日志模块logging用法

    1.日志级别 日志一共分成5个等级,从低到高分别是:DEBUG INFO WARNING ERROR CRITICAL. DEBUG:详细的信息,通常只出现在诊断问题上 INFO:确认一切按预期运行 ...

  3. 【python】【logging】python日志模块logging常用功能

    logging模块:应用程序的灵活事件日志系统,可以打印并自定义日志内容 logging.getLogger 创建一个log对象 >>> log1=logging.getLogger ...

  4. Python 日志模块logging

    logging模块: logging是一个日志记录模块,可以记录我们日常的操作. logging日志文件写入默认是gbk编码格式的,所以在查看时需要使用gbk的解码方式打开. logging日志等级: ...

  5. Python日志模块logging简介

    日志处理是项目的必备功能,配置合理的日志,可以帮助我们了解系统的运行状况.定位位置,辅助数据分析技术,还可以挖掘出一些额外的系统信息. 本文介绍Python内置的日志处理模块logging的常见用法. ...

  6. Python 日志模块 logging通过配置文件方式使用

    vim logger_config.ini[loggers]keys=root,infoLogger,errorlogger [logger_root]level=DEBUGhandlers=info ...

  7. Python日志模块logging&JSON

    日志模块的用法 json部分 先开一段测试代码:注意  str可以直接处理字典   eval可以直接将字符串转成字典的形式 dic={'key1':'value1','key2':'value2'} ...

  8. python日志模块---logging

    1.将日志打印到屏幕 import logging logging.debug('This is debug message---by liu-ke') logging.info('This is i ...

  9. Python—日志模块(logging)和网络模块

    https://blog.csdn.net/HeatDeath/article/details/80548310 https://blog.csdn.net/chosen0ne/article/det ...

随机推荐

  1. 七、L2CAP

    1.      L2CAP 在BR/EDR模式下,在connection procedure成功执行后,两台设备通过一条物理信道(physical channel)连接在一起,同时两者之间建立起了一条 ...

  2. Python补充03 Python内置函数清单

    作者:Vamei 出处:http://www.cnblogs.com/vamei 欢迎转载,也请保留这段声明. Python内置(built-in)函数随着python解释器的运行而创建.在Pytho ...

  3. 【Linux】鸟哥的Linux私房菜基础学习篇整理(十一)

    1. 直接将命令丢到后台中执行“&”,在命令最后加“&”.    将目前的工作丢到后台中暂停:[Ctrl]+z 2. jobs [-lrs]:查看目前的后台工作状态.参数:-l:除了列 ...

  4. Summation of Four Primes - PC110705

    欢迎访问我的新博客:http://www.milkcu.com/blog/ 原文地址:http://www.milkcu.com/blog/archives/uva10168.html 原创:Summ ...

  5. Anaconda安装第三方包(whl文件)

    先说下环境 Anaconda 对应Python3.5的版本 win7,64位系统. step1:下载whl文件 step2:打开‘Anaconda Command Prompt‘, 如下图: step ...

  6. CSS中的字体设置

    五大类:serif, sans-serif, monospace, cursive, fantasy serif 衬线字体,如 Big Caslon, 宋体 sans-serif 非衬线字体,如 He ...

  7. 异步 HttpContext.Current实现取值的方法(解决异步Application,Session,Cache...等失效的问题)

    在一个项目中,为了系统执行效率更快,把一个经常用到的数据库表通过dataset放到Application中,发现在异步实现中每一次都会出现HttpContext.Current为null的异常,后来在 ...

  8. 2018-2019-2 20165220 《网络对抗技术》Exp1 PC平台逆向破解

    实验目的 本次实践的对象是一个名为pwn1的linux可执行文件. 该程序正常执行流程是:main调用foo函数,foo函数会简单回显任何用户输入的字符串. 该程序同时包含另一个代码片段,getShe ...

  9. 【原创】运维基础之Zabbix(1)简介、安装、使用

    zabbix 4 官方:https://www.zabbix.com/ 一 简介 Monitor anythingSolutions for any kind of IT infrastructure ...

  10. [MySql]索引的一些技巧

    一.多表子从查询 多表查询时,子查询可能会出现触发不了索引的情况 ,)); 上面语句,test_1和test_public都WHERE了主键id,常理来说这个查询不存在问题,事实上主语句并不会触发索引 ...