首页 文章

python异常消息捕获

提问于
浏览
275
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))

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

9 回答

  • 19

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

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

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

    try:
        #your code
    except Exception as e:
        logger.exception('Failed: ' + str(e))
    
  • 0

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

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

    您必须定义要捕获的异常类型 . 所以写 except Exception, e: 而不是 except, e: 作为一般例外(无论如何都要记录) .

    其他可能性是以这种方式编写整个try / except代码:

    try:
        with open(filepath,'rb') as f:
            con.storbinary('STOR '+ filepath, f)
        logger.info('File successfully uploaded to '+ FTPADDR)
    except Exception, e:
        logger.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:
        logger.error('Failed to upload to ftp: '+ str(e))
    
  • 3

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

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

    将此更新为更简单的 Logger (适用于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是错误消息 .

  • 3

    如果需要错误类,错误消息和堆栈跟踪(或其中任何一个),请使用 sys.exec_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.exec_info()

    这将为您提供有关最新异常的异常详细信息 . 它返回一个元组 . 以下是元组值 (type, value, traceback) .

    traceback是traceback对象的一个实例 . 您可以使用提供的方法格式化跟踪 . 更多信息可以在traceback documentation找到

  • 387

    在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}")
    
  • 226

    使用str(ex)打印execption

    try:
       #your code
    except ex:
       print(str(ex))
    

相关问题