当前位置:   article > 正文

运行时服务(三)、contextlib模块_contextlib.closing

contextlib.closing

目录

常用内置模块
contextlib

目录

contextlib

with语句

@contextmanager

closing( )


contextlib

contextlib模块时关于上下文管理的,在介绍之前需要先介绍一下with语句。

with语句

使用python读写文件时,要特别注意使用完后关闭文件,以免占用资源。正确的关闭文件方法可以用try...finally语句:

  1. try:
  2. f = open('\path\to\file', 'r')
  3. f.read()
  4. finally:
  5. if f:
  6. f.close()

更为便捷的方法是用with语句:

  1. with open('\path\to\file', 'r') as f:
  2. f.read()

这个with语句是怎么运行的呢?

实际上,在open()里面,包含__enter__()__exit__()两个方法,我们称拥有这两个方法的对象实现了上下文管理,这种对象就可以使用with语句。下面解析with语句的执行过程:

1.当with语句执行时,执行上下文表达式(即open),尝试获取一个上下文对象;
2.成功获取上下文对象后,调用上下文对象里面的__enter__()方法,如果with语句后有as,则用__enter__()方法的返回值赋值as后的对象
3.做好执行前的准备工作后,开始执行后续代码;
4.当with语句快结束时,调用上下文对象里面的__exit__()方法。在__exit__()方法中有三个参数,如果正常结束,三个参数都为None,如果出现异常,三个参数的值分别等于调用sys.exc_info()函数返回的三个值:类型(异常类)、值(异常实例)和跟踪记录(traceback),相应的跟踪记录对象。

看个例子:

先定义一个有上下文管理的对象A

  1. class A(object):
  2. def __enter__(self):
  3. print('__enter__() called')
  4. return self
  5. def print_hello(self):
  6. print("hello world")
  7. def __exit__(self, e_t, e_v, t_b):
  8. print('__exit__() called')

执行with语句:

  1. with A() as a: # 这里a是__enter__()的返回值
  2. a.print_hello() # 返回self,调用self的print_hello()方法
  3. print('got instance')

运行结果:

  1. __enter__() called
  2. hello world
  3. got instance
  4. __exit__() called

@contextmanager

每个要实现上下文管理的对象都要编写__enter__()__exit__()方法有点繁琐。Python中的contextlib模块提供了更简便的方法。

@contextmanager是一个装饰器decorator,它接收一个生成器generator,把generator里yield的值赋给with...as后的变量,然后正常执行with语句。

  1. from contextlib import contextmanager
  2. class A(object):
  3. def print_hello(self):
  4. print('hello world')
  5. @contextmanager
  6. def B():
  7. print('Start')
  8. a = A()
  9. yield a
  10. print('Over')
  11. with B() as a:
  12. a.print_hello()

运行结果:

  1. Start
  2. hello world
  3. Over

我们省去了在对象A里面添加__enter__()__exit__()方法,改为在外部添加一个装饰器来实现上下文管理。

实际上,在上例中,执行生成器B()yield之前的语句相当于执行__enter__()yield的返回值相当于__enter__()的返回值,执行yield之后的语句相当于执行__exit__()

通过@contextmanager,我们还能实现简单的运行前执行特定代码的功能:

  1. @contextmanager
  2. def tag(name):
  3. print("<%s>" % name)
  4. yield
  5. print("</%s>" % name)
  6. with tag("p1"):
  7. print("hello")
  8. print("world")

运行结果:

  1. <p1>
  2. hello
  3. world
  4. </p1>

closing( )

如果一个对象没有实现上下文管理,我们可以直接通过contextlib模块提供的closing( )把对象变为上下文对象然后使用with语句。(前提是这个对象能调用close( )方法!)

如用with语句使用urlopen( ) (以下代码转自廖雪峰官网)

  1. from contextlib import closing
  2. from urllib.request import urlopen
  3. with closing(urlopen('https://www.python.org')) as page:
  4. for line in page:
  5. print(line)

实际上,closing也是经过@contextmanager装饰的一个生成器,它内部是这样的:

  1. @contextmanager
  2. def closing(thing):
  3. try:
  4. yield thing
  5. finally:
  6. thing.close()

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/你好赵伟/article/detail/130293
推荐阅读
相关标签
  

闽ICP备14008679号