我使用Mockito来验证InOrder
对象的方法调用顺序。但我对调用的总体顺序不感兴趣,只对某组方法调用都发生在调用其他方法之前感兴趣。例如像这个
@Test
public void testGroupOrder() {
Foo foo1 = mock(Foo.class);
Foo foo2 = mock(Foo.class);
Bar underTest = new Bar();
underTest.addFoo(foo1);
underTest.addFoo(foo2);
underTest.fire()
InOrder inOrder = inOrder(foo1,foo2);
inorder.verify(foo1).doThisFirst();
inorder.verify(foo2).doThisFirst();
inorder.verify(foo1).beforeDoingThis();
inorder.verify(foo2).beforeDoingThis();
}
但是这个测试测试的次数太多了,因为它测试的是Foo
实例的顺序。但我只对不同方法的顺序感兴趣。事实上,我希望underTest
不区分Foo
的实例,它可能有内部顺序,所以调用foo的顺序无关紧要。我想把它作为一个实现细节。
但重要的是,在beforeDoingThis()
在任何其他foo上调用之前,doThisFirst()
已在所有的foo上被调用。有可能用Mockito来表达这一点吗?怎样
Mockito验证传递给有序函数的所有mock的顺序。因此,如果你不想验证foo的顺序,你需要创建两个单独的订单。即
@Test
public void testGroupOrder() {
Foo foo1 = mock(Foo.class);
Foo foo2 = mock(Foo.class);
Bar underTest = new Bar();
underTest.addFoo(foo1);
underTest.addFoo(foo2);
underTest.fire()
InOrder inOrderFoo1 = inOrder(foo1);
inOrderFoo1.verify(foo1).doThisFirst();
inOrderFoo1.verify(foo1).beforeDoingThis();
InOrder inOrderFoo2 = inOrder(foo2);
inOrderFoo2.verify(foo2).doThisFirst();
inOrderFoo2.verify(foo2).beforeDoingThis();
}
您可以通过实现自己的验证模式来访问内部(感谢这个答案教会了我,我的代码就是基于它的)。实现还不完全,但你会明白的。
不幸的是,Mockito没有记录这个接口,他们可能认为它是内部的(所以在未来的版本中可能不会100%稳定)。
verify(foo1, new DoFirst()).doThisFirst();
verify(foo2, new DoFirst()).doThisFirst();
verify(foo1, new DoSecond()).beforeDoingThis();
verify(foo1, new DoSecond()).beforeDoingThis();
然后
// Set to true when one
boolean secondHasHappened = false;
// Inner classes so they can reach the boolean above.
// Gives an error of any DoSecond verification has happened already.
public class DoFirst implements VerificationMode {
public void verify(VerificationData data) {
List<Invocation> invocations = data.getAllInvocations()
InvocationMatcher matcher = data.getWanted();
Invocation invocation = invocations.get(invocations.size() - 1);
if (wanted.matches(invocation) && secondHasHappened) throw new MockitoException("...");
}
}
// Registers no more DoFirst are allowed to match.
public class DoSecond implements VerificationMode {
public void verify(VerificationData data) {
List<Invocation> invocations = data.getAllInvocations()
InvocationMatcher matcher = data.getWanted();
Invocation invocation = invocations.get(invocations.size() - 1);
if (!wanted.matches(invocation)) secondHasHappened = true;
}
}