1

我正在使用 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

知道为什么会发生这种情况吗?

4

1 回答 1

6

您的代码中有几个问题,第一个问题是您正在模拟要测试的类,这样做您只会测试模拟,ResourceB或者您必须存根代码并强制选择的方法调用真实代码(thenCallRealMethod)。主要思想是永远不要模拟您正在测试的课程。

这也是您拥有 NPE 的原因,因为模拟不需要内部字段实例。因为它不应该需要。

这是一个正确的方法,可能会有变化,但这是最直接的。所以基本上你想测试和之间的交互ResourceBResourceC因为这是ResourceB你想模拟的单元测试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

  // ...
}

在测试中你会这样写:

public class TestResourceB {
  ResourceB tested_b;
  @Mock ResourceC mocked_c;

  @Before
  public void init_tested_and_mocks() {
    MockitoAnnotations.initMocks(this);
    tested_b = new ResourceB(mocked_)
  }

  @Test
  public void ensure_result_from_ResourceC_is_returned() {
    // given 
    when(mocked_c.callFuncA()).thenReturn("result that should be returned");

    // when
    String output = tested_b.callFuncA();

    // then
    assertThat(output).isEqualTo("result that should be returned");
  }
}

顺便补充几点:

  • 当您使用 JUnit 4.x 时,我使用了更有意义/描述性更强的方法名称。
  • 我正在使用行为驱动开发关键字(givenwhenthen)来帮助驱动测试场景。
  • 我也使用AssertJ lib 来编写有意义的断言。
于 2013-07-15T12:25:04.190 回答