我怎么能写一个尝试/except块捕获所有异常?


当前回答

您可以这样做来处理一般异常

try:
    a = 2/0
except Exception as e:
    print e.__doc__
    print e.message

其他回答

非常简单的例子,类似于这里发现的:

http://docs.python.org/tutorial/errors.html#defining-clean-up-actions

如果您试图捕获所有异常,那么将所有代码放在“try:”语句中,而不是“print”执行可能抛出异常的操作。

try:
    print "Performing an action which may throw an exception."
except Exception, error:
    print "An exception was thrown!"
    print str(error)
else:
    print "Everything looks great!"
finally:
    print "Finally is called directly after executing the try statement whether an exception is thrown or not."

在上面的例子中,你会看到这样的输出顺序:

1)执行可能引发异常的操作。

2) Finally在执行try语句后直接调用,无论是否抛出异常。

3)“抛出异常!”或“一切看起来都很好!”这取决于是否抛出异常。

希望这能有所帮助!

有多种方法可以做到这一点,特别是在Python 3.0及以上版本中

方法1

这是一种简单的方法,但不推荐使用,因为你不知道到底是哪行代码引发了异常:

def bad_method():
    try:
        sqrt = 0**-1
    except Exception as e:
        print(e)

bad_method()

方法2

推荐使用这种方法,因为它提供了关于每个异常的更多细节。它包括:

代码的行号 文件名称 更详细地描述实际错误

唯一的缺点是需要导入tracback。

import traceback

def bad_method():
    try:
        sqrt = 0**-1
    except Exception:
        print(traceback.print_exc())

bad_method()
try:
    whatever()
except:
    # this will catch any exception or error

值得一提的是,这不是正确的Python编码。这也将捕获您可能不想捕获的许多错误。

要捕获所有可能的异常,请捕获BaseException。它位于Exception层次结构的顶部:

Python 3: https://docs.python.org/3.10/library/exceptions.html#exception-hierarchy

Python 2.7: https://docs.python.org/2.7/library/exceptions.html#exception-hierarchy

try:
    something()
except BaseException as error:
    print('An exception occurred: {}'.format(error))

但正如其他人提到的,你通常不需要这个,只有在非常特定的情况下。

您可以这样做来处理一般异常

try:
    a = 2/0
except Exception as e:
    print e.__doc__
    print e.message