How To Print The Stack Trace Of An Exception Object In Python?
How to print the stack trace of an exception object in Python? Note that the question is NOT about printing stack trace of LAST exception. Exception object may be saved at some dis
Solution 1:
It's a bit inconvenient, but you can use traceback.print_exception
. Given an exception ex
:
traceback.print_exception(type(ex), ex, ex.__traceback__)
Example:
import traceback
try:
1/0except Exception as ex:
traceback.print_exception(type(ex), ex, ex.__traceback__)
# output:# Traceback (most recent call last):# File "untitled.py", line 4, in <module># 1/0# ZeroDivisionError: division by zero
Solution 2:
you can manually iterate through the __traceback__
attribute to print lines & files:
def function():
raise ValueError("flfkl")
try:
function()
except Exception as e:
traceback = e.__traceback__
whiletraceback:
print("{}: {}".format(traceback.tb_frame.f_code.co_filename,traceback.tb_lineno))
traceback = traceback.tb_next
Post a Comment for "How To Print The Stack Trace Of An Exception Object In Python?"