python优雅的记录日志(堆栈追踪)

    工作3年,解决线上问题无数。日志对于定位和分析问题的重要行不言而喻。那么python怎么优雅的记录日志呢?

 

    首先,python记录日志,首选是logging模块,没有啥争议。

    日志的一般写法是这样的:

logging.info('info message')
logging.error('error message')

   这种日志一般作用不大,只能定位到程序正常执行时执行到哪一步和打印输出一些信息。对于一些异常之列的信息,我们需要使用try:execpt获取。

    很多人是这样记录异常日志的:

>>> def test(a):
...     int(a)
>>> try:
...     test("a")
... except Exception as e:
...     print(e.message)
...
invalid literal for int() with base 10: 'a'

    开发人员只看到一行python的报错,是很难定位问题的。我们需要错误的堆栈信息,定位到错误的源头,例如:

>>> try:
...     test("a")
... except Exception as e:
...     logging.exception(e)
...
ERROR:root:invalid literal for int() with base 10: 'a'
Traceback (most recent call last):
  File "", line 2, in 
  File "", line 2, in test
ValueError: invalid literal for int() with base 10: 'a'

使用logging.exception 的话就可以拿到堆栈信息。是不是很神奇,我们一起来看看logging的源码,看它为啥能拿到堆栈信息。

python优雅的记录日志(堆栈追踪)_第1张图片

对比error

python优雅的记录日志(堆栈追踪)_第2张图片

发现,exception其实是调用error的,唯一的不同时,有一个默认参数exc_info=True。。。一直查看它的调用关系,到了这里:

python优雅的记录日志(堆栈追踪)_第3张图片

看到这里,应该都清楚了,其实他使用的是sys.exc_info(),这个python内置sys函数。。。

 

明白了logging.exception的原理后,我们就可以这样定义日志了:

>>> try:
...     test("a")
... except Exception as e:
...     logging.error("执行test函数报错", exc_info=True)
...
ERROR:root:执行test函数报错
Traceback (most recent call last):
  File "", line 2, in 
  File "", line 2, in test
ValueError: invalid literal for int() with base 10: 'a'

这样,不仅可以自定义logging,还可以打印堆栈信息。info同理,只要把error改成info即可。

 

 

你可能感兴趣的:(python)