• 9.22 定义上下文管理器的简单方法
    • 问题
    • 解决方案
    • 讨论

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

    问题

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

    解决方案

    实现一个新的上下文管理器的最简单的方法就是使用 contexlib 模块中的 @contextmanager 装饰器。下面是一个实现了代码块计时功能的上下文管理器例子:

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

    在函数 timethis() 中,yield 之前的代码会在上下文管理器中作为 enter() 方法执行,所有在 yield 之后的代码会作为 exit() 方法执行。如果出现了异常,异常会在yield语句那里抛出。

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

    1. @contextmanager
      def list_transaction(orig_list):
      working = list(orig_list)
      yield working
      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. >>>

    讨论

    通常情况下,如果要写一个上下文管理器,你需要定义一个类,里面包含一个 enter() 和一个exit() 方法,如下所示:

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

    尽管这个也不难写,但是相比较写一个简单的使用 @contextmanager 注解的函数而言还是稍显乏味。

    @contextmanager 应该仅仅用来写自包含的上下文管理函数。如果你有一些对象(比如一个文件、网络连接或锁),需要支持 with 语句,那么你就需要单独实现enter() 方法和 exit() 方法。

    原文:

    http://python3-cookbook.readthedocs.io/zh_CN/latest/c09/p22_define_context_managers_the_easy_way.html