第八章 异常

第八章 异常

异常事件可能是错误(如试图除以零),也可能是通常不会发生的事情。
Python提供功能强大的替代解决方案——异常处理机制。

异常是什么?

Python使用异常对象来表示异常状态,并在遇到错误时引发异常。异常对象未被处理或捕 获)时,程序将终止并显示一条错误消息(traceback)。

1 / 0
'''
ZeroDivisionError  Traceback (most recent call last)
<ipython-input-146-05c9758a9c21> in <module>()
----> 1/0
ZeroDivisionError: division by zero
'''

事实上,每个异常都是某个类(这里是ZeroDivisionError)的实例.

让事情沿你指定的轨道出错

raise 语句

要引发异常,可使用raise语句,并将一个类(必须是Exception的子类)或实例作为参数。将类作为参数时,将自动创建一个实例。

在第一个示例(raise Exception)中,引发的是通用异常,没有指出出现了什么错误。
在第二个示例中,添加了错误消息beyondhuangjiaju。

raise Exception
'''
Exception  Traceback (most recent call last)
<ipython-input-147-fca2ab0ca76b> in <module>()
----> raise ExceptionException: 
'''
raise Exception('beyondhuangjiaju')
'''
Exception  Traceback (most recent call last)
<ipython-input-149-dfdac40c1137> in <module>()
----> raise Exception('beyondhuangjiaju')Exception: beyondhuangjiaju
'''raise ArithmeticError
'''
ArithmeticError  Traceback (most recent call last)
<ipython-input-150-36d9a98b39c2> in <module>()
----> raise ArithmeticErrorArithmeticError: 
'''
raise ArithmeticError("beyondhuangjiaju")
'''
ArithmeticError  Traceback (most recent call last)
<ipython-input-151-a6ed875c1de3> in <module>()
----> 1 raise ArithmeticError("beyondhuangjiaju")ArithmeticError: beyondhuangjiaju
'''

一些内置的异常类如下表所示:

类名描述
Exception几乎所有的异常类都是从它派生而来的
AttributeError引用属性或给它赋值失败时引发
OSError操作系统不能执行指定的任务(如打开文件)时引发,有多个子类
IndexError使用序列中不存在的索引时引发,为LookupError的子类
KeyError使用映射中不存在的键时引发,为LookupError的子类
NameError找不到名称(变量)时引发
SyntaxError代码不正确时引发
TypeError将内置操作或函数用于类型不正确的对象时引发
ValueError将内置操作或函数用于这样的对象时引发:其类型正确但包含的值不合适
ZeroDivisionError在除法或求模运算的第二个参数为零时引发

自定义的异常类

如何创建异常类呢?
就像创建其他类一样,但务必直接或间接地继承Exception(这意味着从任何内置异常类派生都可以)。
当然,如果你愿意,也可在自定义异常类中添加方法。

class SomeCustomBeyondException(Exception): pass

捕获异常

异常比较有趣的地方是可对其进行处理,通常称之为捕获异常
可使用try/except语句。

try: x = int(input('Enter the first number: ')) y = int(input('Enter the second number: ')) print(x / y) 
except ZeroDivisionError: print("The second number can't be zero!")'''
Enter the first number: 5
Enter the second number: 0
The second number can't be zero!
'''

不用提供参数

来看一个能够“抑制”异常ZeroDivisionError的计算器类。如果启用了这种功能,计算器将打印一条错误消息,而不让异常继续传播。在与用户交互的会话中使用这个计算器时,抑制异常很有用;但在程序内部使用时,引发异常是更佳的选择(此时应关闭“抑制”功能)。

class MuffledCalculator: muffled = False def calc(self, expr): try: return eval(expr) except ZeroDivisionError: if self.muffled: print('Division by zero is illegal') else: raisecalculator = MuffledCalculator()
calculator.calc('10 / 2')#结果为:5.0
calculator.calc('10 / 0')#报错!!!calculator.muffled = True
calculator.calc('10 / 0') #结果为:Division by zero is illegal

如果无法处理异常,在except子句中使用不带参数的raise通常是不错的选择,但有时你可能想引发别的异常。
在这种情况下,导致进入except子句的异常将被作为异常上下文存储起来,并出现在最终的错误消息中。

try:1/0
except ZeroDivisionError:raise ValueError
#在处理上述异常时,引发了另一个异常:'''
ZeroDivisionError  Traceback (most recent call last)
<ipython-input-160-14da06562399> in <module>()1 try:
----> 2     1/03 except ZeroDivisionError:ZeroDivisionError: division by zeroDuring handling of the above exception, another exception occurred:ValueError  Traceback (most recent call last)
<ipython-input-160-14da06562399> in <module>()2     1/03 except ZeroDivisionError:
----> 4     raise ValueErrorValueError: 
'''#可使用raise ... from ...语句来提供自己的异常上下文,也可使用None来禁用上下文。
try:1/0
except ZeroDivisionError:raise ValueError from None'''
ValueError  Traceback (most recent call last)
<ipython-input-161-f4775ad0e53d> in <module>()2     1/03 except ZeroDivisionError:
----> 4     raise ValueError from NoneValueError: 
'''

多个 except 子句

当你在输入字符串的时候,此时会引发另一种异常,该程序中的except子句只捕获ZeroDivisionError异常,这种异常将成为漏网之鱼,导致程序终止。

try: x = int(input('Enter the first number: ')) y = int(input('Enter the second number: ')) print(x / y) 
except ZeroDivisionError: print("The second number can't be zero!")'''
Enter the first number: 1999
Enter the second number: beyond
---------------------------------------------------------------------------
ValueError  Traceback (most recent call last)
<ipython-input-2-f93dbf72378b> in <module>()1 try:2     x = int(input('Enter the first number: '))
----> 3     y = int(input('Enter the second number: '))4     print(x / y)5 except ZeroDivisionError:ValueError: invalid literal for int() with base 10: 'beyond'
'''

为同时捕获这种异常,可在try/except语句中再添加一个except子句。

try: x = int(input('Enter the first number: ')) y = int(input('Enter the second number: ')) print(x / y) 
except ZeroDivisionError: print("The second number can't be zero!")
except TypeError:print("That wasn't a number,was it?")

一箭双雕

如果要使用一个except子句捕获多种异常,可在一个元组中指定这些异常
在except子句中,异常两边的圆括号很重要。

try: x = int(input('Enter the first number: ')) y = int(input('Enter the second number: ')) print(x / y) 
except (ZeroDivisionError,TypeError,NameError): print("Your numbers were bogus ...")

在上述代码中,如果用户输入字符串、其他非数字值或输入的第二个数为零,都将打印同样的错误消息。当然,仅仅打印错误消息帮助不大。

捕获对象

try: x = int(input('Enter the first number: ')) y = int(input('Enter the second number: ')) print(x / y) 
except (ZeroDivisionError,TypeError) as e: print(e)

这里的except子句捕获两种异常,但由于同时显式地捕获了对象本身,因此可将其打印出来,让用户知道发生了什么情况。

一网打尽

即使程序处理了好几种异常,还是可能有一些漏网之鱼。
如果用户在提示时不输入任何内容就按回车键,将出现一条错误消息,这种异常未被try/except语句捕获,这理所当然,因为你没有预测到这种问题,也没有采取相应的措施。

try: x = int(input('Enter the first number: ')) y = int(input('Enter the second number: ')) print(x / y) 
except: print("Something wrong happened...")'''
Enter the first number: 
Something wrong happened...
'''

像这样捕获所有的异常很危险,因为这不仅会隐藏你有心理准备的错误,还会隐藏你没有考虑过的错误。
在大多数情况下,更好的选择是使用except Exception as e并对异常对象进行检查。
SystemExitKeyboardInterrupt从**BaseException(Exception的超类)**派生而来

万事大吉

使用except Exception as e的小技巧在这个小型除法程序中打印更有用的错误消息。

while True:try:x = int(input('Enter the first number: ')) y = int(input('Enter the second number: ')) value = x / yprint("x / y is",value)except Exception as e:print("Invalid input:",e)print('Please try again')else:break'''
Enter the first number: 1014
Enter the second number: beyond
Invalid input: invalid literal for int() with base 10: 'beyond'
Please try again
Enter the first number: 1202
Enter the second number: 
Invalid input: invalid literal for int() with base 10: ''
Please try again
Enter the first number: 1014
Enter the second number: 0522
x / y is 1.9425287356321839
'''

最后

最后,还有finally子句,可用于在发生异常时执行清理工作。这个子句是与try子句配套的。
finally子句非常适合用于确保文件或网络套接字等得以关闭。
不管try子句中发生什么异常,都将执行finally子句。

x = None
try:x = 1 / 0
except NameError:print("Unknown variable")
else:print("That went well!")
finally:print('Cleaning up ...')del x

异常和函数

异常和函数有着天然的联系。
如果不处理函数中引发的异常,它将向上传播到调用函数的地方。
如果在那里也未得到处理,异常将继续传播,直至到达主程序(全局作用域)。
如果主程序中也没有异常处理程序,程序将终止并显示栈跟踪消息。

def faulty():raise Exception('Something is wrong')def ignore_exception():faulty()def handle_exception():try:faulty()except:print('Exception handled')ignore_exception()
'''
Exception  Traceback (most recent call last)
<ipython-input-6-5ac314d0ac0c> in <module>()
----> 1 ignore_exception()<ipython-input-5-6806e60d5602> in ignore_exception()3 4 def ignore_exception():
----> 5     faulty()6 7 def handle_exception():<ipython-input-5-6806e60d5602> in faulty()1 def faulty():
----> 2     raise Exception('Something is wrong')3 4 def ignore_exception():5     faulty()Exception: Something is wrong
'''handle_exception()#结果为:Exception handled

faulty中引发的异常依次从faulty和ignore_exception向外传播,最终导致显示一条栈跟踪消息。
调用handle_exception时,异常最终传播到handle_exception,并被这里的try/except语句处理。

异常之禅

假设有一个字典,你要在指定的键存在时打印与之相关联的值,否则什么都不做。

def describe_person(person):print('Description of',person['name'])print('Age:',person['age'])if 'occupation' in person:print('Occupation:',person['occupation'])

上面的这段代码很直观,但效率不高(虽然这里的重点是代码简洁),
因为它必须两次查找occupation’键:
一次检查这个键是否存在(在条件中),
另一次获取这个键关联的值,以便将其打印出来。

def describe_person(person):print('Description of',person['name'])print('Age:',person['age'])try:print('Occupation:',person['occupation'])except KeyError:pass

上面的这个函数直接假设存在’occupation’键。如果这种假设正确,就能省点事:直接获取并打印值,而无需检查这个键是否存在。如果这个键不存在,将引发KeyError异常,而except子句将捕获这个异常。

检查一个对象是否包含属性write

try:obj.write
except AttributeError:print('The object is not writeable')
else:print('The object is writeable')

try子句只是访问属性write,而没有使用它来做任何事情。
如果引发了AttributeError异常,说明对象没有属性write,否则就说明有这个属性。

在很多情况下,相比于使用if/else,使用try/except语句更自然,也更符合Python的风格。

不那么异常的情况

如果你只想发出警告,指出情况偏离了正轨,可使用模块warnings中的函数warn
警告只显示一次。如果再次运行最后一行代码,什么事情都不会发生。

from warnings import warn
warn('I like beyond band')
'''
D:\Anaconda3\lib\site-packages\ipykernel_launcher.py:2: UserWarning: I like beyond band
'''

如果其他代码在使用你的模块,可使用模块warnings中的函数filterwarnings来抑制你发出的警告(或特定类型的警告),并指定要采取的措施,如"error"或"ignore"。

from warnings import filterwarnings
filterwarnings("ignore")
warn("Anyone out there?")
filterwarnings("error")
warn("Something is very wrong!")'''
UserWarning  Traceback (most recent call last)
<ipython-input-13-2678cd9c1908> in <module>()3 warn("Anyone out there?")4 filterwarnings("error")
----> 5 warn("Something is very wrong!")UserWarning: Something is very wrong!
'''

上述引发的异常为UserWarning。发出警告时,可指定将引发的异常(即警告类别),但必须是Warning的子类。如果将警告转换为错误,将使用你指定的异常。另外,还可根据异常来过滤掉特定类型的警告。

from warnings import filterwarnings
filterwarnings("error")
warn("This function is really old...",DeprecationWarning)'''
DeprecationWarning  Traceback (most recent call last)
<ipython-input-14-db2d386b9ad9> in <module>()1 from warnings import filterwarnings2 filterwarnings("error")
----> 3 warn("This function is really old...",DeprecationWarning)DeprecationWarning: This function is really old...
'''
from warnings import filterwarnings
filterwarnings("ignore", category=DeprecationWarning)
warn("Another deprecation warning.", DeprecationWarning)
warn("Something else.")'''
UserWarning  Traceback (most recent call last)
<ipython-input-15-2ae8758ff90f> in <module>()1 filterwarnings("ignore", category=DeprecationWarning)2 warn("Another deprecation warning.", DeprecationWarning)
----> 3 warn("Something else.")UserWarning: Something else.
'''

小结

概念解释
异常对象异常情况(如发生错误)是用异常对象表示的。对于异常情况,有多种处理方式;如果忽略,将导致程序终止。
引发异常可使用raise语句来引发异常。它将一个异常类或异常实例作为参数,但你也可提供两个参数(异常和错误消息)。如果在except子句中调用raise时没有提供任何参数,它将重新引发该子句捕获的异常。
自定义的异常类你可通过从Exception派生来创建自定义的异常。
捕获异常要捕获异常,可在try语句中使用except子句。在except子句中,如果没有指定异常类,将捕获所有的异常。你可指定多个异常类,方法是将它们放在元组中。如果向except提供两个参数,第二个参数将关联到异常对象。在同一条try/except语句中,可包含多个except子句,以便对不同的异常采取不同的措施。
else子句除except子句外,你还可使用else子句,它在主try块没有引发异常时执行。
finally要确保代码块(如清理代码)无论是否引发异常都将执行,可使用try/finally,并将代码块放在finally子句中。
异常和函数在函数中引发异常时,异常将传播到调用函数的地方(对方法来说亦如此)。
警告警告类似于异常,但(通常)只打印一条错误消息。你可指定警告类别,它们是Warning的子类。

本章介绍的新函数

函数描述
warnings.filterwarnings(action,category=Warning, …)用于过滤警告
warnings.warn(message, category=None)用于发出警告

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/378318.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

hdu 1564 Play a game

对于本题&#xff0c;若要当前的 player 赢&#xff0c;剩下所走的步数必须是奇数步。所以对于每步的 player 所放弃的选择的步数为偶数步。因此&#xff0c;对于整个 game 来说&#xff0c;所放弃的步数 m 为偶数步&#xff0c;设所走的步数为 k &#xff0c;则 n*n-1mk&…

【电设控制与图像训练题】【激光打靶】【opencv测试代码以及效果】

博主联系方式: QQ:1540984562 QQ交流群:892023501 群里会有往届的smarters和电赛选手,群里也会不时分享一些有用的资料,有问题可以在群里多问问。 规则 激光枪自动射击装置(E题) 【本科组】 一、任务 设计一个能够控制激光枪击发、自动报靶及自动瞄准等功能的电子系统。该…

.NET 小结之内存模型

.NET 小结之内存模型 为什么要解.NET 的内存模型 在.NET下的内存管理、垃圾回收其实大部分不需要我们操心&#xff0c;因为大部分.NET已经帮我们做了&#xff0c;通常情况下也不需要考虑这些。但是如果想要了解一些.NET一些稍微“底层”的原理&#xff0c;如&#xff1a;“装箱…

C ++ STL中的set :: upper_bound()函数

C STL set :: upper_bound()函数 (C STL set::upper_bound() function) set::upper_bound() function is a predefined function, it is used to get the upper bound of any element in a set. set :: upper_bound()函数是预定义的函数&#xff0c;用于获取集合中任何元素的上…

c语言if不能判断u8变量值,C语言变量名命规则.doc

C语言变量名命名规则一、程序风格&#xff1a;???????? 1、严格采用阶梯层次组织程序代码&#xff1a;???????? 各层次缩进的分格采用VC的缺省风格&#xff0c;即每层次缩进为4格&#xff0c;括号位于下一行。??? 要求相匹配的大括号在同一列&#xff0c;对…

【电设控制与图像训练题】【激光打靶】【openmv测试代码以及效果】

9.4加入串口通讯,送出靶心坐标、激光坐标、激光所在环数、方位;加入防误判操作 博主联系方式: QQ:1540984562 QQ交流群:892023501 群里会有往届的smarters和电赛选手,群里也会不时分享一些有用的资料,有问题可以在群里多问问。 目录 规则坐标系代码总结相关openmv使用文…

MVC3中的视图文件

在MVC3中的视图部分&#xff0c;Razor视图引擎是与以往不同的地方之一&#xff0c;使用Razor的视图文件再也不是以往的ASPX文件了&#xff0c;是cshtml文件&#xff0c;在新建视图的时候也会发现增加多了几类文件 由上到下分别是 MVC 3 Layout Page&#xff1a;与原来Web Form的…

第九章 魔法方法、特性和迭代器

第九章 魔法方法、特性和迭代器 构造函数 构造函数&#xff08;constructor&#xff09;&#xff0c;它其实就是初始化方法&#xff0c;只是命名为__init__。 构造函数不同于普通方法的地方在于&#xff0c;将在对象创建后自动调用它们。 在Python中&#xff0c;创建构造函数…

PHP 代码 加密

PHP 代码 加密 此加密方法支持任意PHP版 代码如下: <?php function RandAbc($length""){//返回随机字符串 $str"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz"; return str_shuffle($str); } $filenameindex.php; $T_k1RandAbc();//随…

Python字符串| join()方法与示例

join() is an in-built method in Python and it is used to join elements of the list, string etc with the given str separator. join()是Python中的一种内置方法&#xff0c;用于通过给定的str分隔符连接列表&#xff0c;字符串等元素。 Note: Method is called with th…

C语言 链表拼接 PTA,PTA实验 链表拼接 (20point(s))

本题要求实现一个合并两个有序链表的简单函数。链表结点定义如下&#xff1a;struct ListNode {int data;struct ListNode *next;};函数接口定义&#xff1a;struct ListNode *mergelists(struct ListNode *list1, struct ListNode *list2);其中list1和list2是用户传入的两个按…

读书笔记_Effective_C++_条款十九:设计class犹如设计type

这里初看到”class”和”type”&#xff0c;感觉他们是说的是同一样东西&#xff0c;但仔细读了一下&#xff0c;两者在文中还是有区别的。class侧重于自定义的类&#xff0c;而type侧重于系统预定义的类&#xff08;像int、double、string、vector&#xff09;。设计好的class…

【TensorFlow学习笔记:神经网络优化(6讲)】

目录【1】NN复杂度【2】指数衰减学习率【3】激活函数优秀激活函数所具有的特点常见的激活函数对于初学者的建议【4】损失函数【5】缓解过拟合——正则化【6】参数优化器【1】SGD【2】SGDM(SGD基础上增加了一阶动量)【3】Adagrade(SGD基础上增加了二阶动量)【4】RMSProp(SGD基础…

kotlin 构造函数_Kotlin程序| 主要构造函数示例

kotlin 构造函数主要建设者 (Primary Constructor) A Kotlin class have Primary constructor and one or more Secondary constructor. Kotlin类具有Primary构造函数和一个或多个Secondary构造函数。 In Kotlin, Primary Constructor is the Part of Class Header. 在Kotlin中…

把SQL Server 错误日志导出为EXCEL 并发送到指定的ftp 或者 共享盘

把SQL Server 错误日志导出为EXCEL 并发送到指定的ftp 或者 共享盘 /* 2005版本 和2000 版本 sql server 错误日志结果不同。 下面是 适用于 SQL2000的 其中加入了 自己编写的一个ftp小程序 用来上传 相关日志状况*/IF object_id(tempdb..#error_log) IS NOT NULLD…

c语言软件幻化,python字符串处理

字符串字符串&#xff1a;不可变有序序列&#xff0c;在python可使用 "abc" , """abc""" ,abc 的形式表示&#xff0c;属于一种字面常量&#xff0c;python3中字符均属于Unicode编码。字符串可以被迭代&#xff0c;遍历&#xff0c;切…

第十章 开箱即用

第十章 开箱即用 “开箱即用”&#xff08;batteries included&#xff09;最初是由Frank Stajano提出的&#xff0c;指的是Python丰富的标准库。 模块 使用import将函数从外部模块导入到程序中。 import math math.sin(0)#结果为&#xff1a;0.0模块就是程序 在文件夹中创…

博客换肤

一直以来觉得博客园里的主题不是特别好&#xff0c;很多模版多多少少都有些美中不足&#xff0c;于是今天抽了点时间把主题改改&#xff0c;哈。幸亏博客园支持自定义样式。 时间有限就先改到这里&#xff0c;今后有时间在进一步完美&#xff0c;呵呵。转载于:https://www.cnbl…

duration java_Java Duration类| 带示例的get()方法

duration java持续时间类get()方法 (Duration Class get() method) get() method is available in java.time package. get()方法在java.time包中可用。 get() method is used to return the value for the given unit. get()方法用于返回给定单位的值。 get() method is a non…

Openmv通过串口接收数据、发送数据与stm32通信

博主联系方式: QQ:1540984562 QQ交流群:892023501 群里会有往届的smarters和电赛选手,群里也会不时分享一些有用的资料,有问题可以在群里多问问。 目录 参考接线星瞳教程openmv传送数据STM32解码程序参考 接线 星瞳教程