我怎么能写一个尝试/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)“抛出异常!”或“一切看起来都很好!”这取决于是否抛出异常。
希望这能有所帮助!
首先,有些异常是您希望它们破坏您的代码的(因为当这个错误发生时,您的代码无论如何都不能正常工作!),还有一些异常是您希望以静默/平滑的方式捕获的。试着求微分。您可能不想捕获所有的异常!
其次,不必捕获所有内容,您可以花时间查看流程的日志。假设您正在获得一个不同的/第三方异常,例如来自像GCP这样的云服务提供商。在日志中,您可以找到正在获得的异常。然后,你可以这样做:
from google.api_core.exceptions import ServiceUnavailable, RetryError
for i in range(10):
try:
print("do something")
except ValueError:
print("I know this might happen for now at times! skipping this and continuing with my loop"
except ServiceUnavailable:
print("our connection to a service (e.g. logging) of gcp has failed")
print("initializing the cloud logger again and try continuing ...")
except RetryError:
print("gcp connection retry failed. breaking the loop. try again later!)
break
对于其余的(可能发生或不可能发生的错误),我为代码在遇到意外异常时崩溃留下了空间!这样我就可以理解发生了什么,并通过捕获边缘情况来改进我的代码。
如果你想让它永远不会因为某些原因崩溃,例如,如果它是嵌入在远程硬件中的代码,你不容易访问,你可以在最后添加一个通用的异常捕获器:
except Exception as e:
print(f"something went wrong! - {e}")
您还可以在这里查看Python 3的异常层次结构。Exception和BaseException的区别在于,Exception不会捕获SystemExit, KeyboardInterrupt或GeneratorExit
try:
whatever()
except:
# this will catch any exception or error
值得一提的是,这不是正确的Python编码。这也将捕获您可能不想捕获的许多错误。
您可以这样做来处理一般异常
try:
a = 2/0
except Exception as e:
print e.__doc__
print e.message
有多种方法可以做到这一点,特别是在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()
推荐文章
- “克隆”行或列向量
- 在python shell中按方向键时看到转义字符
- 在pip install中方括号是什么意思?
- 使用Matplotlib以非阻塞的方式绘图
- 使用sklearn缩放Pandas数据框架列
- 如何创建关键或附加一个元素的关键?
- virtualenv的问题-无法激活
- 是否可以使用scikit-learn K-Means聚类来指定自己的距离函数?
- 如何在Python中删除文本文件的文件内容?
- 一个干净、轻量级的Python扭曲的替代品?
- 在Python中从字符串中移除所有非数字字符
- 在Python中,如何以排序的键顺序遍历字典?
- Python中的多行f-string
- 批量归一化和退出的排序?
- Python中的“@=”符号是什么意思?