Python 异常消息捕获

import ftplib
import urllib2
import os
import logging
logger = logging.getLogger('ftpuploader')
hdlr = logging.FileHandler('ftplog.log')
formatter = logging.Formatter('%(asctime)s %(levelname)s %(message)s')
hdlr.setFormatter(formatter)
logger.addHandler(hdlr)
logger.setLevel(logging.INFO)
FTPADDR = "some ftp address"


def upload_to_ftp(con, filepath):
try:
f = open(filepath,'rb')                # file to send
con.storbinary('STOR '+ filepath, f)         # Send the file
f.close()                                # Close file and FTP
logger.info('File successfully uploaded to '+ FTPADDR)
except, e:
logger.error('Failed to upload to ftp: '+ str(e))

这似乎不起作用,我得到语法错误,什么是正确的方法这样做的日志记录所有类型的异常到一个文件

1187967 次浏览

您可以尝试显式指定BaseException类型。但是,这只会捕获BaseException的派生。虽然这包括所有实现提供的异常,但也可能引发任意旧式类。

try:do_something()except BaseException, e:logger.error('Failed to do something: ' + str(e))

您必须定义要捕获的异常类型。因此,对于一般异常,请写except Exception, e:而不是except, e:(无论如何都会记录)。

另一种可能性是以这种方式编写整个try/除了代码:

try:with open(filepath,'rb') as f:con.storbinary('STOR '+ filepath, f)logger.info('File successfully uploaded to '+ FTPADDR)except Exception, e: # work on python 2.xlogger.error('Failed to upload to ftp: '+ str(e))

在Python 3. x和现代版本的Python 2. x中使用except Exception as e而不是except Exception, e

try:with open(filepath,'rb') as f:con.storbinary('STOR '+ filepath, f)logger.info('File successfully uploaded to '+ FTPADDR)except Exception as e: # work on python 3.xlogger.error('Failed to upload to ftp: '+ str(e))

Python 3中不再支持该语法。请改用以下内容。

try:do_something()except BaseException as e:logger.error('Failed to do something: ' + str(e))

将其更新为更简单的记录器(适用于python 2和3)。您不需要回溯模块。

import logging
logger = logging.Logger('catch_all')
def catchEverythingInLog():try:... do something ...except Exception as e:logger.error(e, exc_info=True)... exception handling ...

这是旧的方法(虽然仍然有效):

import sys, traceback
def catchEverything():try:... some operation(s) ...except:exc_type, exc_value, exc_traceback = sys.exc_info()... exception handling ...

exc_value是错误信息。

您可以使用logger.exception("msg")来记录带有回溯的异常:

try:#your codeexcept Exception as e:logger.exception('Failed: ' + str(e))

在某些情况下,您可以使用e.messagee.messages…但它并非在所有情况下都有效。无论如何,更安全的是使用str(e)

try:...except Exception as e:print(e.message)

如果您想要错误类、错误消息和堆栈跟踪,请使用sys.exc_info()

具有某种格式的最小工作代码:

import sysimport traceback
try:ans = 1/0except BaseException as ex:# Get current system exceptionex_type, ex_value, ex_traceback = sys.exc_info()
# Extract unformatter stack traces as tuplestrace_back = traceback.extract_tb(ex_traceback)
# Format stacktracestack_trace = list()
for trace in trace_back:stack_trace.append("File : %s , Line : %d, Func.Name : %s, Message : %s" % (trace[0], trace[1], trace[2], trace[3]))
print("Exception type : %s " % ex_type.__name__)print("Exception message : %s" %ex_value)print("Stack trace : %s" %stack_trace)

它提供了以下输出:

Exception type : ZeroDivisionErrorException message : division by zeroStack trace : ['File : .\\test.py , Line : 5, Func.Name : <module>, Message : ans = 1/0']

函数sys.exc_info()为您提供有关最新异常的详细信息。它返回一个(type, value, traceback)的元组。

traceback是回溯对象的实例。您可以使用提供的方法格式化跟踪。更多信息可以在回溯留档中找到。

使用str(ex)打印执行

try:#your codeexcept ex:print(str(ex))

在python 3.6之后,您可以使用格式化的字符串文字。它很整洁!(https://docs.python.org/3/whatsnew/3.6.html#whatsnew36-pep498

try...except Exception as e:logger.error(f"Failed to upload to ftp: {e}")

对于未来的奋斗者,在python 3.8.2(可能还有之前的几个版本)中,语法是

except Attribute as e:print(e)

使用str(e)repr(e)表示异常,您将无法获得实际的堆栈跟踪,因此查找异常的位置没有帮助。

在阅读了其他答案和日志包文档之后,以下两种方法非常适合打印实际的堆栈跟踪以便于调试:

使用logger.debug()和参数exc_info

try:# my codeexcept SomeError as e:logger.debug(e, exc_info=True)

使用logger.exception()

或者我们可以直接使用logger.exception()来打印异常。

try:# my codeexcept SomeError as e:logger.exception(e)

如果您想查看原始错误消息,(文件行号

import tracebacktry:print(3/0)except Exception as e:traceback.print_exc()

这将显示与未使用try-except相同的错误消息。

最简单的方法是通过Polog库提供。导入它:

$ pip install polog

并使用:

from polog import log, config, file_writer

config.add_handlers(file_writer('file.log'))
with log('message').suppress():do_something()

请注意代码垂直占用的空间少了多少:只有2行。