我有一些代码
service.doAction(request, Callback<Response> callback);
我如何使用Mockito捕获回调对象,并调用callback.reply(x)
Answers:
您想要设置一个Answer
可以执行此操作的对象。在https://static.javadoc.io/org.mockito/mockito-core/2.8.47/org/mockito/Mockito.html#answer_stubs上查看Mockito文档。
你可能会写类似
when(mockService.doAction(any(Request.class), any(Callback.class))).thenAnswer(
new Answer<Object>() {
Object answer(InvocationOnMock invocation) {
((Callback<Response>) invocation.getArguments()[1]).reply(x);
return null;
}
});
(x
当然应该替换为原来的样子)
考虑使用ArgumentCaptor,在任何情况下,它都与“抓取回调对象”更接近。
/**
* Captor for Response callbacks. Populated by MockitoAnnotations.initMocks().
* You can also use ArgumentCaptor.forClass(Callback.class) but you'd have to
* cast it due to the type parameter.
*/
@Captor ArgumentCaptor<Callback<Response>> callbackCaptor;
@Test public void testDoAction() {
// Cause service.doAction to be called
// Now call callback. ArgumentCaptor.capture() works like a matcher.
verify(service).doAction(eq(request), callbackCaptor.capture());
assertTrue(/* some assertion about the state before the callback is called */);
// Once you're satisfied, trigger the reply on callbackCaptor.getValue().
callbackCaptor.getValue().reply(x);
assertTrue(/* some assertion about the state after the callback is called */);
}
当Answer
回调需要立即返回(同步读取)是一个好主意时,它还会带来创建匿名内部类以及将元素从不安全地强制转换invocation.getArguments()[n]
为所需数据类型的开销。它还要求您从WITHIN Answer中对系统的预回调状态做出任何断言,这意味着您的Answer可能会越来越大。
而是异步处理回调:使用ArgumentCaptor捕获传递给服务的Callback对象。现在,您可以在测试方法级别进行所有声明,并reply
在选择时调用。如果您的服务负责多个同时的回调,则此方法特别有用,因为您可以更好地控制回调返回的顺序。
invocation.getArgumentAt(1, Callback.class).reply();
arguments[1]
是回调,而不是对象,这超出了编译器可以保证的范围。没什么大不了,但这是有区别的。
如果您有以下方法:
public void registerListener(final IListener listener) {
container.registerListener(new IListener() {
@Override
public void beforeCompletion() {
}
@Override
public void afterCompletion(boolean succeeded) {
listener.afterCompletion(succeeded);
}
});
}
然后按照以下方式可以轻松模拟上述方法:-
@Mock private IListener listener;
@Test
public void test_registerListener() {
target.registerListener(listener);
ArgumentCaptor<IListener> listenerCaptor =
ArgumentCaptor.forClass(IListener.class);
verify(container).registerListener(listenerCaptor.capture());
listenerCaptor.getValue().afterCompletion(true);
verify(listener).afterCompletion(true);
}
我希望这对某人有帮助,因为我花了很多时间来解决这个问题