上下文管理器的Unittest失败,出现AttributeError:__ exit__

时间:2015-02-13 01:40:41

标签: python with-statement python-unittest

我正在尝试理解使用context-manager(带语句)对代码进行单元测试的正确方法。

以下是我的示例代码:

class resources():
    def __init__(self):
        self.data = 'at-init'

    def __enter__(self):
        self.data = 'at-enter'
        return self

    def __exit__(self, exc_type, exc_val, exc_tb):
        self.data = 'at-exit'

这是我的unittest代码:

import unittest
import ctxmgr     

class TestResources(unittest.TestCase):
    def setUp(self):
        pass

    def test_ctxmgr(self):
        with ctxmgr.resources as r:
            self.assertEqual(r.data, 'at-enter')

示例代码运行正常,但上面的unittest代码失败,

======================================================================
ERROR: test_ctxmgr (__main__.TestResources)
----------------------------------------------------------------------
Traceback (most recent call last):
  File "test_ctxmgr.py", line 12, in test_ctxmgr
    with ctxmgr.resources as r:
AttributeError: __exit__

----------------------------------------------------------------------
Ran 1 test in 0.003s

FAILED (errors=1)

导致此错误的原因是什么?我错过了什么?

1 个答案:

答案 0 :(得分:10)

使用with语句时,需要实例化resources类:

with ctxmgr.resources() as r:
#                    ^^

演示:

>>> class resources():
...     def __init__(self):
...         self.data = 'at-init'
...     def __enter__(self):
...         self.data = 'at-enter'
...         return self
...     def __exit__(self, exc_type, exc_val, exc_tb):
...         self.data = 'at-exit'
...
>>> with resources as r:
...     r
...
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
AttributeError: __exit__
>>>
>>> with resources() as r:
...     r
...
<__main__.resources object at 0x02112510>
>>>