13

モックライブラリを使用して、open()によって返されるオブジェクトを iters するコードをモックおよびテストするには、どの方法が適切ですか?

whitelist_data.py:

WHITELIST_FILE = "testdata.txt"

format_str = lambda s: s.rstrip().lstrip('www.')
whitelist = None

with open(WHITELIST_FILE) as whitelist_data:
    whitelist = set(format_str(line) for line in whitelist_data)

if not whitelist:
    raise RuntimeError("Can't read data from %s file" % WHITELIST_FILE)

def is_whitelisted(substr):
    return 1 if format_str(substr) in whitelist else 0

これが私がそれをテストしようとする方法です。

import unittest
import mock 

TEST_DATA = """
domain1.com
domain2.com
domain3.com
"""

class TestCheckerFunctions(unittest.TestCase):

    def test_is_whitelisted_method(self):
        open_mock = mock.MagicMock()
        with mock.patch('__builtin__.open',open_mock):
            manager = open_mock.return_value.__enter__.return_value
            manager.__iter__ = lambda s: iter(TEST_DATA.splitlines())
            from whitelist_data import is_whitelisted
            self.assertTrue(is_whitelisted('domain1.com'))

if __name__ == '__main__':
    unittest.main()

の結果python tests.pyは次のとおりです。

$ python tests.py

E
======================================================================
ERROR: test_is_whitelisted_method (__main__.TestCheckerFunctions)
----------------------------------------------------------------------
Traceback (most recent call last):
  File "tests.py", line 39, in test_is_whitelisted_method
    from whitelist_data import is_whitelisted
  File "/Users/supa/Devel/python/whitelist/whitelist_data.py", line 20, in <module>
    whitelist = set(format_str(line) for line in whitelist_data)
TypeError: 'Mock' object is not iterable

----------------------------------------------------------------------
Ran 1 test in 0.001s

UPD: Adam のおかげで、mock library( pip install -e hg+https://code.google.com/p/mock#egg=mock) を再インストールし、tests.py を更新しました。魅力のように機能します。

4

1 に答える 1

16

を探していますMagicMock。これは反復をサポートします。

モック 0.80beta4 では、 をpatch返しますMagicMock。したがって、次の簡単な例が機能します。

import mock

def foo():
    for line in open('myfile'):
        print line

@mock.patch('__builtin__.open')
def test_foo(open_mock):
    foo()
    assert open_mock.called

モック 0.7.x を実行している場合 (実行しているように見えます)、パッチだけではこれを達成できないと思います。モックを個別に作成してから、パッチに渡す必要があります。

import mock

def foo():
    for line in open('myfile'):
        print line

def test_foo():
    open_mock = mock.MagicMock()
    with mock.patch('__builtin__.open', open_mock):
        foo()
        assert open_mock.called

注 - これらを py.test で実行しましたが、これらと同じアプローチは unittest でも機能します。

于 2011-11-17T14:27:55.177 に答える