问题描述
我如何在课堂上模拟Mockito其他正在测试的课程?
How I can mock with Mockito other classes in my class which is under test?
例如:
MyClass.java
MyClass.java
class MyClass {
public boolean performAnything() {
AnythingPerformerClass clazz = new AnythingPerformerClass();
return clazz.doSomething();
}
}
AnythingPerformerClass.java
AnythingPerformerClass.java
class AnythingPerformerClass {
public boolean doSomething() {
//very very complex logic
return result;
}
}
并测试:
@Test
public void testPerformAnything() throws Exception {
MyClass clazz = new MyClass();
Assert.assertTrue(clazz.performAnything());
}
我可以欺骗 AnythingPerformerClass
从 AnythingPerformerClass
中排除不必要的逻辑?我可以覆盖 doSomething()
方法,以便简单返回 true
或 false
?
Can I spoof AnythingPerformerClass
for excluding unnecessary logic from AnythingPerformerClass
? Can I override doSomething()
method for simple return true
or false
?
为什么我指定Mockito,因为我需要使用Robolectric进行Android测试。
Why I specify Mockito, because I need it for Android testing with Robolectric.
推荐答案
你可以重构 MyClass
以便它使用。您可以将类的实例传递给 MyClass
的构造函数,而不是让它创建 AnythingPerformerClass
实例:
You could refactor MyClass
so that it uses dependency injection. Instead of having it create an AnythingPerformerClass
instance you could pass in an instance of the class to the constructor of MyClass
like so :
class MyClass {
private final AnythingPerformerClass clazz;
MyClass(AnythingPerformerClass clazz) {
this.clazz = clazz;
}
public boolean performAnything() {
return clazz.doSomething();
}
}
然后你可以在单元中传入模拟实现测试
You can then pass in the mock implementation in the unit test
@Test
public void testPerformAnything() throws Exception {
AnythingPerformerClass mockedPerformer = Mockito.mock(AnythingPerformerClass.class);
MyClass clazz = new MyClass(mockedPerformer);
...
}
或者,如果你的 AnythingPerformerClass
包含state然后你可以将 AnythingPerformerClassBuilder
传递给构造函数。
Alternatively, if your AnythingPerformerClass
contains state then you could pass a AnythingPerformerClassBuilder
to the constructor.
这篇关于被测试的类中的模拟类的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!