python异常处理惩罚详解
当前位置:以往代写 > Python教程 >python异常处理惩罚详解
2019-06-14

python异常处理惩罚详解

python异常处理惩罚详解

本节主要先容Python中异常处理惩罚的道理和主要的形式。

1、什么是异常

Python顶用异常工具来暗示异常环境。措施在运行期间碰着错误后会激发异常。假如异常工具并未被处理惩罚或捕捉,措施就会回溯终止执行。

2、抛出异常

raise语句,raise后头跟上Exception异常类可能Exception的子类,还可以在Exception的括号中插手异常的信息。

>>>raise Exception('message')

留意:Exception类是所有异常类的基类,我们还可以按照该类建设本身界说的异常类,如下:

class SomeCustomException(Exception): pass

3、捕获异常(try/except语句)

try/except语句用来检测try语句块中的错误,从而让except语句捕捉异常信息并处理惩罚。

一个try语句块中可以抛出多个异常:

try:
     x = input('Enter the first number: ')
     y = 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语句可以捕捉多个异常:

try:
     x = input('Enter the first number: ')
     y = input('Enter the second number: ')
     print x/y
 except (ZeroDivisionError, TypeError, NameError):  #留意except语句后头的小括号
     print 'Your numbers were bogus...'

会见捕获到的异常工具并将异常信息打印输出:

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

捕获全部异常,防备遗漏无法预测的异常环境:

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

4、else子句。除了利用except子句,还可以利用else子句,假如try块中没有激发异常,else子句就会被执行。

while 1:
     try:
         x = input('Enter the first number: ')
         y = input('Enter the second number: ')
         value = x/y
         print 'x/y is', value
     except:
         print 'Invalid input. Please try again.'
     else:
         break

上面代码块运行后用户输入的x、y值正当的环境下将执行else子句,从而让措施退出执行。

5、finally子句。岂论try子句中是否产生异常环境,finally子句必定会被执行,也可以和else子句一起利用。finally子句常用在措施的最后封锁文件或网络套接字。

try:
     1/0
 except:
     print 'Unknow variable'
 else:
     print 'That went well'
 finally:
     print 'Cleaning up'

6、异常和函数

假如异常在函数内激发而不被处理惩罚,它就会通报到函数挪用的处所,假如一直不被处理惩罚,异常会通报到主措施,以仓库跟踪的形式终止。

def faulty():
    raise Exception('Someting is wrong!')
def ignore_exception():
    faulty()
     
def handle_exception():
    try:
        faulty()
    except Exception, e:
        print 'Exception handled!',e
 
handle_exception() 
ignore_exception()

在上面的代码块中,函数handle_exception()在挪用faulty()后,faulty()函数抛出异常并被通报到handle_exception()中,从而被try/except语句处理惩罚。而ignare_exception()函数中没有对faulty()做异常处理惩罚,从而激发异常的仓库跟踪。

留意:条件语句if/esle可以实现和异常处理惩罚同样的成果,可是条件语句大概在自然性和可读性上差一些。

    关键字:

在线提交作业