python的try except异常的捕获方式

有两种:
1、

def test(arr):
    try:
        a = int(arr)
        print(a)
    except Exception as e:
        print('error', e)
        
test('adff')

这种捕获方式有个问题,那就是只打印最简略的错误信息:

error invalid literal for int() with base 10: 'adff'

2、这种可以获得更详细错误信息来debug:


import traceback

def test(arr):
    try:
        a = int(arr)
        print(a)
    except:
        traceback.print_exc()

test('adff')

输出结果如下:

Traceback (most recent call last):
  File "", line 37, in test
    a = int(arr)
ValueError: invalid literal for int() with base 10: 'adff'

During handling of the above exception, another exception occurred:

Traceback (most recent call last):
  File "", line 42, in <module>
    test('adff')
  File "", line 40, in test
    traceback.print_exec()
AttributeError: module 'traceback' has no attribute 'print_exec'

如果用日志来记录的话,就改成:

logging.error('xxxx', exc_info=True)

你可能感兴趣的:(其它,异常捕获)