我有@InjectMocks cut
这是我要测试的班级。其中有deleteX()
和init()
方法。
deleteX()
在完成之前正在调用init()
- 如何在我的测试中跳过此调用,因为每次我得到NullPointer Exception
。
public void deleteX() {
// some things
init();
}
我只想跳过它,因为我已经为它们提供了测试方法,并且不想要大码和双码。
我无法Mockito.doNothing().when(cut).deleteX();
,因为@InjectMocks
不是Mockobject
。
答案 0 :(得分:2)
有一种方法可以实现你想要的 - 它被称为“部分嘲弄”。有关详细信息,请参阅此问题 - Use Mockito to mock some methods but not others。
给出ClassUnderTest
如下:
class ClassUnderTest {
public void init() {
throw new RuntimeException();
}
public void deleteX() {
// some things
init();
}
}
此测试将通过:
import static org.mockito.Mockito.doNothing;
import static org.mockito.Mockito.verify;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.Spy;
import org.mockito.runners.MockitoJUnitRunner;
@RunWith(MockitoJUnitRunner.class)
public class ClassUnderTestTest {
@Spy
private ClassUnderTest classUnderTest;
@Test
public void test() throws Exception {
// given
doNothing().when(classUnderTest).init();
// when
classUnderTest.deleteX();
// then
verify(classUnderTest).init();
}
}
使用@Spy
注释的对象上的所有方法调用都是真实的,除了模拟的调用。在这种情况下,init()
调用被模拟为什么都不做,而不是抛出异常。
如果您需要将依赖项注入到测试类中,则需要在@Before
方法中完成,例如:
private ClassUnderTest classUnderTest;
@Before
public void setUp() {
ClassUnderTest cut = new ClassUnderTest();
// inject dependencies into `cut`
classUnderTest = Mockito.spy(cut);
}