我将以我非常年轻并且没有太多测试经验并且以前从未使用过模拟框架的背景作为开场白。
我正在为涉及许多不同 Web 服务的代码编写单元测试,我对此进行了嘲笑。我的许多测试都验证了调用的结果,其中我的所有服务调用都成功,但对 ServiceX 的调用除外。我的第一直觉是为 @Before 块中的所有模拟设置快乐路径行为,然后为每个测试修改模拟行为。
@Before
public void init(){
when(serviceA.doSomething()).thenReturn(true);
when(serviceB.doSomething()).thenReturn(true);
when(serviceC.doSomething()).thenReturn(true);
when(serviceD.doSomething()).thenReturn(true);
when(serviceE.doSomething()).thenReturn(true);
}
@Test
public void testDoBusinessSuccess(){
String result = businessLogic.doBusiness();
assertThat(result, is("success"));
}
@Test
public void testDoBusinessFailureWhenServiceAFails(){
when(serviceA.doSomething()).thenReturn(false);
String result = businessLogic.doBusiness();
assertThat(result, is("service A is down!"));
}
@Test
public void testDoBusinessFailureWhenServiceBFails(){
when(serviceB.doSomething()).thenReturn(false);
...
这使得每个测试用例都简洁,并且很容易看到正在测试的内容,因为我只指定了偏离规范的行为。
但我怀疑这不是 Mockito 希望我设置模拟行为的方式,因为当我尝试验证 ServiceB 中的失败意味着 ServiceC 永远不会被命中时,我意识到我when(serviceC.doSomething())
在 @Before 中的调用算作对 serviceC 的调用. 也就是说,我verifyZeroInteractions(serviceC)
总是失败,因为我调用了when(serviceC.doSomething()).thenReturn(true)
,即使测试用例从未触及 serviceC 。
那么最佳实践是什么?即使我会在所有地方重复几乎相同的 5 行,我是否最好在每次测试中明确设置每个模拟的行为?