所以我有以下界面:
public interface IFragmentOrchestrator {
void replaceFragment(Fragment newFragment, AppAddress address);
}
如何创建一个带有mockito的间谍,允许我将ArgumentCaptor对象挂钩到对replaceFragment()的调用?
我试过了
IFragmentOrchestrator orchestrator = spy(mock(IFragmentOrchestrator.class));
但是,mockito抱怨“Mockito只能模拟可见和非最终的类别.”
到目前为止,我提出的唯一解决方案是在创建间谍之前实现接口的实际模拟.但这种方式违背了模拟框架的目的:
public static class EmptyFragmentOrchestrator implements IFragmentOrchestrator {
@Override
public void replaceFragment(Fragment newFragment, AppAddress address) {
}
}
public IFragmentOrchestrator getSpyObject() {
return spy(new EmptyFragmentOrchestrator());
}
我错过了什么基本的东西?我一直在寻找the docs没有找到任何东西(但我可能是盲人).
最佳答案 间谍是指您希望在现有实现上叠加存根.这里有一个裸接口,所以看起来你只需要模拟:
public class MyTest {
@Captor private ArgumentCaptor<Fragment> fragmentCaptor;
@Captor private ArgumentCaptor<AppAddress> addressCaptor;
@Before
public void setup() {
MockitoAnnotations.initMocks(this);
}
@Test
public void testThing() {
IFragmentOrchestrator orchestrator = mock(IFragmentOrchestrator.class);
// Now call some code which should interact with orchestrator
// TODO
verify(orchestrator).replaceFragment(fragmentCaptor.capture(), addressCaptor.capture());
// Now look at the captors
// TODO
}
}
另一方面,如果你真的试图窥探一个实现,那么你应该这样做:
IFragmentOrchestrator orchestrator = spy(new IFragmentOrchestratorImpl());
这将调用IFragmentOrchestratorImpl上的实际方法,但仍允许使用verify进行拦截.