4

我有以下代码:

public Object parse(){
      ....
      VTDGen vg = new VTDGen();
      boolean parsed = vg.parseFile(myFile.getAbsolutePath(), false);
}

我正在为此方法编写单元测试。当我运行该方法而不模拟VTDGenparseFile方法时返回true。但是,当我用间谍模拟它时,它会返回false.

我的测试如下:

@Before
public void setup(){
     VTDGen vtgGen = new VTDGen();
     VTDGen vtgGenSpy = PowerMockito.spy(vtdGen);
     PowerMockito.whenNew(VTDGen.class).withNoArguments().thenReturn(vtdGenSpy);

}


@Test
public void myTest(){
    // when I run the test parseFile returns false
    // if I remove the mocking in the setup, parseFile returns true
}

我的印象是 Mockito 的间谍对象不应该改变包装对象的行为,那么为什么我得到的是假而不是真的?

4

3 回答 3

1

Maybe it is because you are returning vtdGenMock not vtgGenSpy in

PowerMockito.whenNew(VTDGen.class).withNoArguments().thenReturn(vtdGenMock);

于 2011-11-09T13:58:58.380 回答
1

这是在 orien 的回复中,虽然有点间接:你是否包括了@PrepareForTest(ClassCallingNewVTDGen.class)?

这是班级的呼唤

new VTDGen()

必须为测试做好准备。在东方人的回答中,它是 Uo.class

资源

于 2011-11-23T18:54:25.237 回答
1

在监视 Powermocked 类时,您应该使用以下PowerMockito.spy(...)方法:

VTDGen vtgGenSpy = PowerMockito.spy(vtdGen);

还要确保您的 Mockito/Powermock 版本组合是兼容的。我正在使用 Mockito 1.8.5 和 Powermock 1.4.10。

以下测试(TestNG)为我通过:

@PrepareForTest({VTDGen.class, Uo.class})
public class UoTest extends PowerMockTestCase {

    private VTDGen vtdGen;
    private VTDGen vtdGenSpy;
    private Uo unitUnderTest;

    @BeforeMethod
    public void setup() {
        vtdGen = new VTDGen();
        vtdGenSpy = PowerMockito.spy(vtdGen);
        unitUnderTest = new Uo();
    }

    @Test
    public void testWithSpy() throws Exception {
        PowerMockito.whenNew(VTDGen.class).withNoArguments().thenReturn(vtdGenSpy);

        boolean result = unitUnderTest.parse();

        assertTrue(result);
    }

    @Test
    public void testWithoutSpy() throws Exception {
        PowerMockito.whenNew(VTDGen.class).withNoArguments().thenReturn(vtdGen);

        boolean result = unitUnderTest.parse();

        assertTrue(result);
    }
}

对于被测单元:

public class Uo {
    public boolean parse() {
        VTDGen vg = new VTDGen();
        return vg.parseFile("test.xml", false);
    }
}
于 2011-11-18T13:35:26.213 回答