Mockito:如何测试构造函数是否被调用?
2022-09-01 20:10:37
我正在使用Mockito在我的Java应用程序中测试方法。
如何测试构造函数是否被调用过一次?
我正在尝试进行类似于以下内容的验证:
verify(myClass, times(1)).doSomething(anotherObject);
但是我无法验证构造函数是否被调用,因为它没有类似于例如.doSomething()
我正在使用Mockito在我的Java应用程序中测试方法。
如何测试构造函数是否被调用过一次?
我正在尝试进行类似于以下内容的验证:
verify(myClass, times(1)).doSomething(anotherObject);
但是我无法验证构造函数是否被调用,因为它没有类似于例如.doSomething()
你可以用Mockito和PowerMockito来做到这一点。
假设您有一个带有构造函数的类下测试
public class ClassUnderTest {
String name;
boolean condition;
public ClassUnderTest(String name, boolean condition) {
this.name = name;
this.condition = condition;
init();
}
...
}
以及另一个调用该构造函数的类
public class MyClass {
public MyClass() { }
public void createCUTInstance() {
// ...
ClassUnderTest cut = new ClassUnderTest("abc", true);
// ...
}
...
}
在测试课上,我们可以...
(1) 使用 PowerMockRunner 并在 PrepareForTest 注释中引用上面的两个目标类:
@RunWith(PowerMockRunner.class)
@PrepareForTest({ ClassUnderTest.class, MyClass.class })
public class TestClass {
(2) 拦截构造函数返回模拟对象:
@Before
public void setup() {
ClassUnderTest cutMock = Mockito.mock(ClassUnderTest.class);
PowerMockito.whenNew(ClassUnderTest.class)
.withArguments(Matchers.anyString(), Matchers.anyBoolean())
.thenReturn(cutMock);
}
(3) 验证构造函数调用:
@Test
public void testMethod() {
// prepare
MyClasss myClass = new MyClass();
// execute
myClass.createCUTInstance();
// checks if the constructor has been called once and with the expected argument values:
String name = "abc";
String condition = true;
PowerMockito.verifyNew(ClassUnderTest.class).withArguments(name, condition);
}
这不能用 Mockito 完成,因为正在创建的对象不是模拟对象。这也意味着您也无法验证该新对象上的任何内容。
我过去曾使用 a 来解决此问题,方法是使用 来创建对象,而不是将其全新化。然后,您可以模拟 返回测试所需的对象。Factory
Factory
您是否愿意更改设计以适合您的测试取决于您!