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))

这似乎不起作用,我遇到语法错误,将所有类型的异常记录到文件中的正确方法是什么


当前回答

python 3不再支持该语法。请改用以下方法。

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

其他回答

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

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

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

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

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

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

import sys
import traceback

try:
    ans = 1/0
except BaseException as ex:
    # Get current system exception
    ex_type, ex_value, ex_traceback = sys.exc_info()

    # Extract unformatter stack traces as tuples
    trace_back = traceback.extract_tb(ex_traceback)

    # Format stacktrace
    stack_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 : ZeroDivisionError
Exception message : division by zero
Stack trace : ['File : .\\test.py , Line : 5, Func.Name : <module>, Message : ans = 1/0']

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

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

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

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

将logger.debug()与参数exc_info一起使用

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

使用logger.exception()

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

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

还有一种方法可以获得传递给异常类的原始值,而不必更改内容类型。

例如,我在我的一个框架中生成带有错误消息的类型代码。

try:
    # TODO: Your exceptional code here 
    raise Exception((1, "Your code wants the program to exit"))

except Exception as e:
    print("Exception Type:", e.args[0][0], "Message:", e.args[0][1])

输出

Exception Type: 1 Message: 'Your code wants the program to exit'