测试调用本机方法的代码

2022-09-04 21:31:37

我有一个这样的类:

public final class Foo
{
    public native int getBar();

    public String toString()
    {
        return "Bar: " + getBar();
    }
}

请注意,getBar() 是使用 JNI 实现的,该类是最终的。我想写一个 junit 测试来测试 toString() 方法。为此,我需要模拟getBar()方法,然后运行原始的toString()方法来检查输出。

我的第一个想法是这一定是不可能的,但后来我发现PowerMock支持根据功能列表测试最终类和本机方法。但到目前为止,我还没有成功。我管理的最好的事情是模拟整个类,但随后测试了模拟toString()方法,而不是真正的方法,这没有多大意义。

那么我如何使用PowerMock从上面测试这个toString()方法呢?我更喜欢将PowerMock与Mockito一起使用,但如果这是不可能的,那么使用EasyMock就没有问题。


答案 1

找到了。我这样做的方式是正确的。我唯一错过的是告诉模拟对象在调用toString时调用原始方法()。所以它的工作原理是这样的:

@RunWith(PowerMockRunner.class)
@PrepareForTest({ Foo.class })
public class FooTest
{
    @Test
    public void testToString() throws Exception
    {
        Foo foo = mock(Foo.class);
        when(foo.getBar()).thenReturn(42);
        when(foo.toString()).thenCallRealMethod();
        assertEquals("Bar: 42", foo.toString());
    }
}

答案 2

或者将 JMockit动态部分模拟结合使用

import org.junit.*;
import mockit.*;

public class FooTest
{
    @Test
    public void testToString()
    {
        final Foo foo = new Foo();
        new Expectations(foo) {{ foo.getBar(); result = 42; }};

        assertEquals("Bar: 42", foo.toString());
    }
}

推荐