您想要做的是 1 的一部分和 2 的全部组合。
您需要使用 PowerMockito.mockStatic 为类的所有静态方法启用静态模拟。这意味着可以使用 when-thenReturn 语法对它们进行存根。
但是,您使用的 mockStatic 的 2 参数重载为 Mockito/PowerMock 在调用未在模拟实例上显式存根的方法时应该执行的操作提供了默认策略。
从javadoc:
创建具有指定策略的类模拟,以响应其交互。这是相当高级的功能,通常你不需要它来编写体面的测试。但是,在使用遗留系统时它会很有帮助。这是默认答案,因此仅当您不存根方法调用时才会使用它。
默认的默认存根策略是只为对象、数字和布尔值方法返回 null、0 或 false。通过使用 2-arg 重载,您是在说“不,不,不,默认情况下使用这个 Answer 子类的回答方法来获取默认值。它返回一个 Long,所以如果你有静态方法返回不兼容的东西长,有问题。
相反,使用 1-arg 版本的 mockStatic 来启用静态方法的存根,然后使用 when-thenReturn 来指定对特定方法执行的操作。例如:
import static org.mockito.Mockito.*;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.invocation.InvocationOnMock;
import org.mockito.stubbing.Answer;
import org.powermock.api.mockito.PowerMockito;
import org.powermock.core.classloader.annotations.PrepareForTest;
import org.powermock.modules.junit4.PowerMockRunner;
class ClassWithStatics {
public static String getString() {
return "String";
}
public static int getInt() {
return 1;
}
}
@RunWith(PowerMockRunner.class)
@PrepareForTest(ClassWithStatics.class)
public class StubJustOneStatic {
@Test
public void test() {
PowerMockito.mockStatic(ClassWithStatics.class);
when(ClassWithStatics.getString()).thenReturn("Hello!");
System.out.println("String: " + ClassWithStatics.getString());
System.out.println("Int: " + ClassWithStatics.getInt());
}
}
String 值静态方法被存根返回“Hello!”,而 int 值静态方法使用默认存根,返回 0。