如何模拟方法与无效返回类型?
我实现了一个观察者模式,但我不能用Mockito模拟它,因为我不知道怎么做。
我试图在网上找到一个例子,但没有成功。
我的类是这样的:
public class World {
List<Listener> listeners;
void addListener(Listener item) {
listeners.add(item);
}
void doAction(Action goal,Object obj) {
setState("i received");
goal.doAction(obj);
setState("i finished");
}
private string state;
//setter getter state
}
public class WorldTest implements Listener {
@Test public void word{
World w= mock(World.class);
w.addListener(this);
...
...
}
}
interface Listener {
void doAction();
}
系统不会被mock触发。
我想展示上述系统的状态。并据此断言。
为这一堆问题添加另一个答案(没有双关语的意思)……
你需要调用doAnswer方法,如果你不能\不想使用间谍的。然而,你并不一定需要自己给出答案。有几个默认实现。值得注意的是,CallsRealMethods。
在实践中,它看起来像这样:
doAnswer(new CallsRealMethods()).when(mock)
.voidMethod(any(SomeParamClass.class));
Or:
doAnswer(Answers.CALLS_REAL_METHODS.get()).when(mock)
.voidMethod(any(SomeParamClass.class));
看一下Mockito API文档。正如链接文档中提到的(第12点),你可以使用Mockito框架中的doThrow()、doAnswer()、doNothing()、doReturn()方法家族中的任何一个来模拟void方法。
例如,
Mockito.doThrow(new Exception()).when(instance).methodName();
或者如果你想把它和后续行为结合起来,
Mockito.doThrow(new Exception()).doNothing().when(instance).methodName();
假设您正在下面的类World中模拟setter setState(String s),代码使用doAnswer方法来模拟setState。
World mockWorld = mock(World.class);
doAnswer(new Answer<Void>() {
public Void answer(InvocationOnMock invocation) {
Object[] args = invocation.getArguments();
System.out.println("called with arguments: " + Arrays.toString(args));
return null;
}
}).when(mockWorld).setState(anyString());
在Java 8中,假设你有一个org.mockito.Mockito.doAnswer的静态导入,这可以做得更清楚一些:
doAnswer(i -> {
// Do stuff with i.getArguments() here
return null;
}).when(*mock*).*method*(*methodArguments*);
返回null;是重要的,如果没有它,编译将失败,并出现一些相当模糊的错误,因为它将无法为doAnswer找到合适的覆盖。
例如,ExecutorService可以立即执行传递给execute()的任何可运行对象,可以使用以下方法实现:
doAnswer(i -> {
((Runnable) i.getArguments()[0]).run();
return null;
}).when(executor).execute(any());
加上@sateesh所说的,当你只是想模拟一个void方法以防止测试调用它时,你可以这样使用Spy:
World world = new World();
World spy = Mockito.spy(world);
Mockito.doNothing().when(spy).methodToMock();
当您希望运行测试时,请确保在spy对象上调用in test方法,而不是在world对象上调用。例如:
assertEquals(0, spy.methodToTestThatShouldReturnZero());