2

我有一堂课,我想模拟该类的某些方法并测试其他方法。这是我可以证实并断言它有效的唯一方法。

class UnderTest{
   public void methodToTest(){
     methodToCall1()
     methodToCall2()
   }


  public void methodToCall1(){
  }

  public void methodToCall2(){
  }

}

现在,由于我想测试第一个方法,我想创建一个 UnderTest 的部分模拟,以便我可以验证这两个方法是否被调用。我如何在 Mockito 中实现这一点?

谢谢你的帮助!

4

2 回答 2

5

你提到你想做两件事:
1.创建真正的部分模拟
2.验证方法调用

但是,由于您的目标是验证methodToCall1()methodToCall2()实际调用了它,因此您需要做的就是监视真实对象。这可以通过以下代码块来完成:

    //Spy UnderTest and call methodToTest()
    UnderTest mUnderTest = new UnderTest();
    UnderTest spyUnderTest = Spy(mUnderTest);
    spyUnderTest.methodToTest();

    //Verify methodToCall1() and methodToCall2() were invoked
    verify(spyUnderTest).methodToCall1();
    verify(spyUnderTest).methodToCall2();

例如,如果其中一个方法没有被调用,methodToCall1则会抛出异常:

    Exception in thread "main" Wanted but not invoked:
    undertest.methodToCall1();
    ...
于 2013-10-02T01:23:35.077 回答
2
package foo;

import static org.mockito.Mockito.verify;

import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.Spy;
import org.mockito.runners.MockitoJUnitRunner;

@RunWith(MockitoJUnitRunner.class)
public class FooTest {

    @Spy
    private UnderTest underTest;

    @Test
    public void whenMethodToTestExecutedThenMethods1And2AreCalled() {
        // Act
        underTest.methodToTest();

        // Assert
        verify(underTest).methodToCall1();
        verify(underTest).methodToCall2();
    }

}
于 2013-10-02T02:59:51.490 回答