python except和except Exception as e区别和使用场合

import  sys
import os
def fun():
    try:
        sys.exit(0)
    except Exception as e:
        print(e)
    finally:
        print("hello world")
def fun2():
    print('你好2')
fun()
fun2()

代码执行结果
hello world
上面写了sys.exit()理论上下面的是要执行的但是fun2这个函数并没有执行

import  sys
import os
def fun():
    try:
        sys.exit(0)
    except:
        pass
    finally:
        print("hello world")
def fun2():
    print('你好2')
fun()
fun2()

执行结果
hello world
你好2

但它不会捕获BaseException或系统退出异常SystemExit、KeyboardInterrupt和GeneratorExit:

复制代码
def catch():
try:
raise BaseException()
except Exception as e:
print e.message, e.args
catch()
Traceback (most recent call last):
File “”, line 1, in
File “”, line 3, in catch
BaseException

为什么上面两个会有这种区别呢
这是因为sys.exit() 退出的时候有异常,如果异常捕获到了,那么自然下面的程序的会进行,如果异常没有捕获到,那么除了finally剩下都不能在执行

在Python中 , try-except 语句块中可以使用 finally 语句 , 无论异常是否被捕获 , finally 语句都会执行 ;

这使得 finally 语句块中的代码总是在 try 或 except 语句块中的代码之后执行 , 无论是否有异常被捕获 ;

不管是否出现异常 , 都会执行 finally 语句 ;

不管异常是否被捕获 , 都会执行 finally 语句 ;

try:
    sys.exit(0)
except SystemExit:
    print("nohao")
finally:
    print("hello world1")
print("nihao2")

结果
nohao
hello world1
nihao2

你可能感兴趣的:(python,开发语言)