本人学习地址:https://blog.csdn.net/bitcarmanlee/article/details/52745676,
1.with语法
with 上下文表达式 as 对象名
语句体
2.名词解释
- 上下文管理协议(Context Management Protocol): 包含
__enter()__
与__exit()__
方法的即满足上下文管理协议。 - 上下文管理器(Context Manager):实现
__enter()__
与__exit()__
方法的就为上下文管理器。 - 运行时上下文(Runtime Context):由上下文管理器创建,
__enter__()
方法在语句体执行之前进入运行时上下文,__exit__()
在语句体执行完后从运行时上下文退出。 - 上下文表达式(Context Expression):with 语句中跟在关键字 with 之后的表达式,该表达式要返回一个上下文管理器对象。
- 语句体(With-Body):with 语句包裹起来的代码块,在执行语句体之前会调用上下文管理器的
__enter__()
方法,执行完语句体之后会执行__exit__()
方法。
3.小栗子
(1).file
常见的文件操作中,我们经常忘记关闭文件句柄,或者会写一串try...except去捕获异常,可以是用with去简化代码:
with open("/temp.txt") as file:
data = file.read()
image.png
open
方法返回一个file,file 是不是我们要找的上下文管理器呢?image.png
file 类里实现了
__enter()__,__exit()__
方法,所以为上下文管理器,所以file可以使用with语句。
(2)自定义上下文管理器
class sample():
def __enter__(self):
print('enter')
def __exit__(self, exc_type, exc_val, exc_tb):
print ('exit')
with sample() as sample:
print('with body')
运行结果
image.png
从中可以看出,执行顺序为: enter方法 ->withbody->exit方法
class CustomException(Exception):
def __init__(self):
print('custom exception')
Exception.__init__(self, 'custom exception')
class sample():
def __enter__(self):
print('enter')
def __exit__(self, exc_type, exc_val, exc_tb):
if isinstance(exc_val,CustomException):
print ('exit custom exception')
print ('exit')
with sample() as sample:
print('with body 1')
raise CustomException()
print('with body 2')
image.png
这次执行顺序为 enter->with body 1->custom exception->exit custom exception->exit
说明当抛出异常时,也是执行exit方法。
网友评论