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


当前回答

你可以,但你可能不应该:

try:
    do_something()
except:
    print("Caught it!")

然而,这也会捕获像KeyboardInterrupt这样的异常,你通常不希望那样,对吗?除非你马上重新抛出异常-请参阅下面的文档示例:

try:
    f = open('myfile.txt')
    s = f.readline()
    i = int(s.strip())
except IOError as (errno, strerror):
    print("I/O error({0}): {1}".format(errno, strerror))
except ValueError:
    print("Could not convert data to an integer.")
except:
    print("Unexpected error:", sys.exc_info()[0])
    raise

其他回答

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

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

你可以,但你可能不应该:

try:
    do_something()
except:
    print("Caught it!")

然而,这也会捕获像KeyboardInterrupt这样的异常,你通常不希望那样,对吗?除非你马上重新抛出异常-请参阅下面的文档示例:

try:
    f = open('myfile.txt')
    s = f.readline()
    i = int(s.strip())
except IOError as (errno, strerror):
    print("I/O error({0}): {1}".format(errno, strerror))
except ValueError:
    print("Could not convert data to an integer.")
except:
    print("Unexpected error:", sys.exc_info()[0])
    raise

我添加了奖金方法,可以捕捉异常与完整的回溯,这可以帮助您了解更多的错误。

Python 3

import traceback

try:
    # your code goes here
except Exception as e:
    print(e)
    traceback.print_exc()

有多种方法可以做到这一点,特别是在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()

除了一个裸露的except:子句(其他人说你不应该使用它),你可以简单地捕获Exception:

import traceback
import logging

try:
    whatever()
except Exception as e:
    logging.error(traceback.format_exc())
    # Logs the error appropriately. 

您通常只考虑在代码的最外层这样做,例如,如果您想在终止之前处理任何其他未捕获的异常。

except Exception相对于bare except的优点是,它不会捕获一些异常,最明显的是KeyboardInterrupt和SystemExit:如果你捕获并吞下了它们,那么任何人都很难退出你的脚本。