模拟或存根?

时间:2011-06-03 23:08:36

标签: python unit-testing mocking stubs mox

我有一个方法可以调用其他两个方法。

def main_method(self, query):
  result = self.method_one(query)
  count = self.method_two(result)
  return count

def method_one(self, query):
  #Do some stuff based on results.
  #This method hits the database.
  return result

def method_two(self, result):
  #Do some stuff based on result.
  #This method also hits the database.
  return count

我在单元测试方面不是很有经验,从未使用Mocks和Stubs。

我不太确定如何为我的第一个方法创建单元测试。由于method_one和method_two多次访问数据库并且它们非常昂贵,因此我决定使用mox创建模拟或存根以消除对数据库的需求。

如果有使用Mocks和Stubs经验的人给我一些关于在我的案例中使用模拟和存根的提示,我将非常感激。

1 个答案:

答案 0 :(得分:5)

在担心测试main_method()之前,首先测试较小的方法。考虑method_one()。出于讨论的目的,我们假设它存在于这样的类中:

class Foo(object):
    def method_one(self, query):
        # Big nasty query that hits the database really hard!!
        return query.all()

为了在不命中数据库的情况下测试该方法,我们需要一个知道如何响应all()方法的对象。例如:

class MockQuery(object):
    def all(self):
        return [1,2]

现在我们可以测试一下:

f = Foo()
q = MockQuery()
assert f.method_one(q) == [1,2]

这是一个基本的例子。现实世界往往更复杂。为了值得编写测试的麻烦,你的模拟all()可能会做一些比返回常量更有趣的事情。类似地,如果method_one()包含许多其他逻辑,我们的MockQuery可能需要更详细 - 即能够适当地响应更多方法。通常在尝试测试代码时,您会意识到原始设计负担过重:您可能需要将method_one()重构为更小,更严格定义的部分,从而更加可测试部分。

在层次结构中采用相同的逻辑,您可以创建一个MockFoo类,该类将知道如何以简化的方式响应method_one()method_two()