我正在使用mockito为已经通过集成测试测试的应用程序编写一些单元测试,但我们还需要开发单元测试。
这是测试的代码:
public class TestResourceB {
@Mock
ResourceB b;
@Mock
ResourceC c;
@Before
public void setup() {
MockitoAnnotations.initMocks(this);
TestObjects.InitializeObjects();
}
@Test
public void testMethodResourceA() {
when(b.callFuncA()).thenCallRealMethod();
when(b.callFuncB()).thenReturn(TestObjects.mockedListA);
when(b.callFuncC((B)anyVararg())).thenCallRealMethod();
when(c.callFuncB()).thenReturn(TestObjects.mockedListB);
when(c.callFuncA()).thenCallRealMethod
String output = b.callFuncA();
}
}
这是类ResourceB
public class ResourceB {
ResourceC c = new ResourceC();
public String callFuncA(){
/*Calling callFuncB and doing some other stuff*/
String test = callFuncC(arg1);
}
public List<A> callFuncB() {
/*returns the mocked list A*/
}
public String callFuncC(B arg1) {
String test2 = c.callFuncA(); // It crashes here
/*doing some other stuff*/
}
}
这是ResourceC类
public class ResourceC {
public String callFuncA() {
/*Calling callFuncB and doing some other stuff*/
return testString;
}
public List<B> callFuncB() {
/*return a List*/
}
}
我遇到的问题是,当行
时,在类ResourceB中的方法callFuncC中String test2 = c.callFuncA();
调用我得到一个NullPointerException
知道为什么会这样吗?
答案 0 :(得分:6)
您的代码中存在多个问题,第一个问题是您正在模拟要测试的类,这样做只会测试ResourceB
的模拟,或者您必须存根代码和强制选择的方法来调用实际代码(thenCallRealMethod
)。主要思想是从不模拟您正在测试的课程。
这也是你拥有NPE的原因,因为模拟不需要内部字段实例。因为它不应该。
这是一种正确的方法,可能会有变化,但一种是最直接的。所以基本上你想测试ResourceB
和ResourceC
之间的互动,因为这是你想要模仿ResourceB
的{{1}}的单元测试。事情是每个实例的模拟,所以你必须将模拟的模型传递给ResourceC
。
可以通过构造函数注入注入,然后需要修改ResourceB
:
ResourceB
在测试中你会这样写:
public class ResourceB {
ResourceC c;
public ResourceB() { c = new resourceC(); } // normal behavior
@VisibleForTesting // guava annotation (in, order to expalain why there is this constructor)
ResourceB(ResourceC c_override) { c = c_override; } // constructor for the test, note the package visibility
// ...
}
顺便说一下,这里有几点需要补充: