加载中...

9.22 定义上下文管理器的简单方法


问题

你想自己去实现一个新的上下文管理器,以便使用with语句。

解决方案

实现一个新的上下文管理器的最简单的方法就是使用 <span class="pre" style="box-sizing: border-box;">contexlib</span> 模块中的 <span class="pre" style="box-sizing: border-box;">@contextmanager</span> 装饰器。 下面是一个实现了代码块计时功能的上下文管理器例子:

  1. import time
  2. from contextlib import contextmanager
  3. @contextmanager
  4. def timethis(label):
  5. start = time.time()
  6. try:
  7. yield
  8. finally:
  9. end = time.time()
  10. print('{}: {}'.format(label, end - start))
  11. # Example use
  12. with timethis('counting'):
  13. n = 10000000
  14. while n > 0:
  15. n -= 1

在函数 <span class="pre" style="box-sizing: border-box;">timethis()</span> 中,<span class="pre" style="box-sizing: border-box;">yield</span> 之前的代码会在上下文管理器中作为 <span class="pre" style="box-sizing: border-box;">__enter__()</span> 方法执行, 所有在 <span class="pre" style="box-sizing: border-box;">yield</span> 之后的代码会作为 <span class="pre" style="box-sizing: border-box;">__exit__()</span> 方法执行。 如果出现了异常,异常会在yield语句那里抛出。

下面是一个更加高级一点的上下文管理器,实现了列表对象上的某种事务:

  1. @contextmanager
  2. def list_transaction(orig_list):
  3. working = list(orig_list)
  4. yield working
  5. orig_list[:] = working

这段代码的作用是任何对列表的修改只有当所有代码运行完成并且不出现异常的情况下才会生效。 下面我们来演示一下:

  1. >>> items = [1, 2, 3]
  2. >>> with list_transaction(items) as working:
  3. ... working.append(4)
  4. ... working.append(5)
  5. ...
  6. >>> items
  7. [1, 2, 3, 4, 5]
  8. >>> with list_transaction(items) as working:
  9. ... working.append(6)
  10. ... working.append(7)
  11. ... raise RuntimeError('oops')
  12. ...
  13. Traceback (most recent call last):
  14. File "<stdin>", line 4, in <module>
  15. RuntimeError: oops
  16. >>> items
  17. [1, 2, 3, 4, 5]
  18. >>>

讨论

通常情况下,如果要写一个上下文管理器,你需要定义一个类,里面包含一个 <span class="pre" style="box-sizing: border-box;">__enter__()</span> 和一个<span class="pre" style="box-sizing: border-box;">__exit__()</span> 方法,如下所示:

  1. import time
  2. class timethis:
  3. def __init__(self, label):
  4. self.label = label
  5. def __enter__(self):
  6. self.start = time.time()
  7. def __exit__(self, exc_ty, exc_val, exc_tb):
  8. end = time.time()
  9. print('{}: {}'.format(self.label, end - self.start))

尽管这个也不难写,但是相比较写一个简单的使用 <span class="pre" style="box-sizing: border-box;">@contextmanager</span> 注解的函数而言还是稍显乏味。

<span class="pre" style="box-sizing: border-box;">@contextmanager</span> 应该仅仅用来写自包含的上下文管理函数。 如果你有一些对象(比如一个文件、网络连接或锁),需要支持 <span class="pre" style="box-sizing: border-box;">with</span> 语句,那么你就需要单独实现 <span class="pre" style="box-sizing: border-box;">__enter__()</span> 方法和 <span class="pre" style="box-sizing: border-box;">__exit__()</span> 方法。


还没有评论.