我正在尝试测试一个方法,该方法将根据某些条件执行其代码或其超类的代码。这是类及其父类的代码:
public class ParentClass {
public Object doStuff(Parameters parameters) {
// do some business stuff
return parentResult;
}
}
继承类的一个:
public class InheritedClass extends ParentClass {
@Override
public Object doStuff(Parameters parameters) {
if (parameters.getCondition()) {
return super.doStuff(parameters);
}
//do some business stuff
return inheritedResult;
}
}
因此,当试图测试parameters.getCondition()为true的情况时,我必须模拟对超级方法的调用并验证它
但当我这样做(嘲笑对super.doStuff()的调用)时,我也会嘲笑对InertitedClass.doStuff)的调用。这是我尝试过的解决方案:
@RunWith(MockitoJUnitRunner.class)
public class InheritedClassTest {
@Mock
private Parameters parameters;
@Spy
private InheritedClass inherited = new InheritedClass();
@Test
public void testDoStuff(Object parameters) throws Exception {
given(parameters.getCondition()).willReturn(true);
doCallRealMethod().doReturn(value).when(inherited).doStuff(parameters);
Mockito.verify(inherited, times(2)).doStuff(parameters);
}
}
我也尝试过这种方法:
when(inherited.doStuff(parameters)).thenCallRealMethod().thenReturn(value);
这个:
given(((ParentClass)inherited).doStuff(parameters)).willReturn(value);
在所有这些情况下,父类的代码都被真正执行了。所以,我想知道是否有任何有效的方法来模拟使用mockito对超类方法的调用?
您可以使用Mockito的spy(),这是您已经尝试过的。但我认为使用spy(。
ParentClass.java
public class ParentClass {
public String doStuff(final String parameters) {
return "parent";
}
}
继承类.java
public class InheritedClass extends ParentClass {
@Override
public String doStuff(final String parameters) {
if (parameters.equals("do parent")) {
return super.doStuff(parameters);
}
return "child";
}
}
继承的ClassTest.java
public class InheritedClassTest {
@Test
public void testDoStuff() throws Exception {
final InheritedClass inheritedClass = Mockito.spy(new InheritedClass());
Mockito.doReturn("mocked parent").when((ParentClass)inheritedClass).doStuff(Mockito.eq("do parent"));
final String result = inheritedClass.doStuff("do parent");
assertEquals("mocked parent", result);
assertNotEquals("parent", result);
final String resultChild = inheritedClass.doStuff("aaa");
assertEquals("child", resultChild);
}
}
但是,我认为使用spy()不是一个好的做法。我会亲自重构你的代码