如何编写一个“try”/“except”块来捕获所有异常?
如何编写捕获所有异常的 / 块?try
except
除了一个裸子句(正如其他人所说,你不应该使用它),你可以简单地捕获 Exception
:except:
import traceback
import logging
try:
whatever()
except Exception as e:
logging.error(traceback.format_exc())
# Logs the error appropriately.
通常,只有在代码的最外层才考虑执行此操作,例如,如果您想在终止之前处理任何未捕获的异常。
与裸露相比,有一些例外是它不会捕获的,最明显的是:如果你抓住并吞下了这些,那么你可能会让任何人都很难退出你的脚本。except Exception
except
KeyboardInterrupt
SystemExit
你可以,但你可能不应该:
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