我有一个要进行单元测试的类,它有一个依赖项Foo,我想对其进行模拟。当调用某个方法时,此类Foo有时会引发事件。但是不知道如何嘲笑Foo类来获得这种行为。
因此,我该如何模拟Foo类,使其表现为以下代码?到目前为止,我使用过Mockito,但是如果mockito无法提供所需的功能,则可以使用新框架。
//This is how the class Foo should act when it is mocked
public class Foo()
{
private Listener listener;
public void addListener(Listener listener)
{
this.listener = listener;
}
public void callMethodWhichMayFireAnEvent()
{
listener.event();
}
}
最佳答案
为了得到您想要的(可能不是您实际需要的东西),您可以使用答案...
final Listener listener = ...; // put your listener here
Foo fooMock = Mockito.mock(Foo.class);
Mockito.doAnswer( new Answer() {
@Override
public Object answer(InvocationOnMock invocation) throws Throwable {
listener.event(); // this calls your listener
return null; // actual Method is void, so this will be ignored anyway
}
}).when( fooMock.callMethodWhichMayFireAnEvent() );
因此,每当调用
fooMock.callMethodWhichMayFireAnEvent()
时,它将调用event()
对象的listener
方法。关于java - 模拟实例引发事件,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34435902/