Hel*_*nar 444 python logging exception except
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))
Run Code Online (Sandbox Code Playgroud)
这似乎不起作用,我得到语法错误,这是什么正确的方法来记录文件的所有类型的异常
eum*_*iro 627
您必须定义要捕获的异常类型.所以写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))
Run Code Online (Sandbox Code Playgroud)
在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))
Run Code Online (Sandbox Code Playgroud)
sjt*_*eri 267
python 3中不再支持该语法.请改用以下内容.
try:
do_something()
except BaseException as e:
logger.error('Failed to do something: ' + str(e))
Run Code Online (Sandbox Code Playgroud)
ber*_*iey 38
将此更新为更简单的记录器(适用于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 ...
Run Code Online (Sandbox Code Playgroud)
这是现在的方式(尽管仍然有效):
import sys, traceback
def catchEverything():
try:
... some operation(s) ...
except:
exc_type, exc_value, exc_traceback = sys.exc_info()
... exception handling ...
Run Code Online (Sandbox Code Playgroud)
exc_value是错误消息.
Sli*_*eam 30
在某些情况下,您可以使用e.message或e.messages ..但它并不适用于所有情况.无论如何更安全的是使用str(e)
try:
...
except Exception as e:
print(e.message)
Run Code Online (Sandbox Code Playgroud)
Pet*_*ter 18
您可以使用logger.exception("msg")跟踪来记录异常:
try:
#your code
except Exception as e:
logger.exception('Failed: ' + str(e))
Run Code Online (Sandbox Code Playgroud)
Kav*_*uwa 15
如果需要错误类,错误消息和堆栈跟踪(或其中一些),请使用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)
Run Code Online (Sandbox Code Playgroud)
给出以下输出:
Exception type : ZeroDivisionError
Exception message : division by zero
Stack trace : ['File : .\\test.py , Line : 5, Func.Name : <module>, Message : ans = 1/0']
Run Code Online (Sandbox Code Playgroud)
这为您提供有关最新异常的详细信息。返回的元组(type, value, traceback)。
traceback是回溯对象的实例。您可以使用提供的方法来格式化跟踪。在追溯文档中可以找到更多内容。
sta*_*iet 13
如果您想查看原始错误消息,(文件和行号)
import traceback
try:
print(3/0)
except Exception as e:
traceback.print_exc()
Run Code Online (Sandbox Code Playgroud)
这将显示与您没有使用相同的错误消息try-except。
jdh*_*hao 11
使用str(e)或repr(e)来表示异常,您将无法获得实际的堆栈跟踪,因此查找异常所在的位置无济于事。
阅读其他答案和日志包文档后,以下两种方法非常适合打印实际堆栈跟踪以便于调试:
logger.debug()与参数一起使用exc_infotry:
# my code
except SomeError as e:
logger.debug(e, exc_info=True)
Run Code Online (Sandbox Code Playgroud)
logger.exception()或者我们可以直接使用logger.exception()打印异常。
try:
# my code
except SomeError as e:
logger.exception(e)
Run Code Online (Sandbox Code Playgroud)
Chu*_* Ma 10
在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}")
Run Code Online (Sandbox Code Playgroud)
小智 7
对于未来的奋斗者,在 python 3.8.2(可能还有之前的几个版本)中,语法是
except Attribute as e:
print(e)
Run Code Online (Sandbox Code Playgroud)
小智 6
在 Python 3 中,str(ex)给我们错误消息。您可以用来repr(ex)获取全文,包括引发的异常的名称。
arr = ["a", "b", "c"]
try:
print(arr[5])
except IndexError as ex:
print(repr(ex)) # IndexError: list index out of range
print(str(ex)) # list index out of range
Run Code Online (Sandbox Code Playgroud)
还有一种方法可以获取传递给异常类的原始值,而无需更改内容类型。
例如,我在我的框架之一中提出带有错误消息的类型代码。
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])
Run Code Online (Sandbox Code Playgroud)
输出
Exception Type: 1 Message: 'Your code wants the program to exit'
Run Code Online (Sandbox Code Playgroud)
您可以尝试明确指定BaseException类型。但是,这只会捕获BaseException的派生类。尽管这包括所有实现提供的异常,但也有可能引发任意旧式类。
try:
do_something()
except BaseException, e:
logger.error('Failed to do something: ' + str(e))
Run Code Online (Sandbox Code Playgroud)
使用 str(ex) 打印 execption
try:
#your code
except ex:
print(str(ex))
Run Code Online (Sandbox Code Playgroud)
| 归档时间: |
|
| 查看次数: |
561909 次 |
| 最近记录: |