本文共 3144 字,大约阅读时间需要 10 分钟。
mockito 在3.4.0版本开始支持mock static method
文档:https://wttech.blog/blog/2020/mocking-static-methods-made-possible-in-mockito-3.4.0/
org.mockito mockito-core 3.6.28 test org.mockito mockito-inline 3.6.28 test org.mockito mockito-junit-jupiter 3.4.0 test
public final class MysteryBox { public static Optionalamaze(String codeWord) { // todo }}
public class HaplessUser { public Mystery unleashMystery(String magicSpell) { Optionalom = MysteryBox.amaze(magicSpell); return om.orElseThrow(() -> new FailureToAmazeException("The box was empty")); }}
@Test@DisplayName("Should throw an exception upon failing to uncover mind-boggling mysteries")void testUncoverMysteries() { // 1.在try代码块中实例化一个MockedStatic,使用范围仅仅在try代码块内 try (MockedStaticmb = Mockito.mockStatic(MysteryBox.class)) { // 2. mock静态方法的调用 mb.when(() -> { MysteryBox.amaze(any(String.class )) }) .thenReturn(Optional.empty()); // 3. 调用单元测试方法 assertThrows(FailureToAmazeException.class, () -> subjectUnderTest.unleashMystery("Abracadabra")); } // 静态方法的mock在这里是不可用的}
在同个测试类,当多个测试方法都需要mock调用某个静态方法时,代码如下
@ExtendWith(MockitoExtension.class)public class KonfigurationCopyServiceTest { @InjectMocks private EKonfigurationCopyServiceImpl konfigurationCopyServiceImpl; @MockBean private FileProcessRecordServiceImpl fileProcessRecordService; @BeforeEach public void setUp() { // mock静态方法 MockedStaticmockSpringUtil = Mockito.mockStatic(SpringUtil.class); mockSpringUtil.when(() -> SpringUtil.getActiveProfile()).thenReturn("dev"); } @Test void test1() { // 省略@Test的单元测试方法 } @Test void test2() { // 省略@Test的单元测试方法 }}
此时,会抛出如下异常信息:
org.mockito.exceptions.base.MockitoException: For xx.xxxx.util.SpringUtil, static mocking is already registered in the current threadTo create a new mock, the existing static mock registration must be deregistered
静态mock已经在当前线程中注册了,要创建新的mock,必须注销现有的静态mock注册
import static org.junit.jupiter.api.TestInstance.Lifecycle.PER_CLASS;
@TestInstance(PER_CLASS)
@BeforeAll
代替@BeforeEach
// 添加@TestInstance(PER_CLASS)注解@TestInstance(PER_CLASS)@ExtendWith(MockitoExtension.class)public class KonfigurationCopyServiceTest { @InjectMocks private EKonfigurationCopyServiceImpl konfigurationCopyServiceImpl; @MockBean private FileProcessRecordServiceImpl fileProcessRecordService; // 使用@BeforeAll mock静态方法 @BeforeAll public void setUp() { // mock静态方法 MockedStaticmockSpringUtil = Mockito.mockStatic(SpringUtil.class); mockSpringUtil.when(() -> SpringUtil.getActiveProfile()).thenReturn("dev"); } @BeforeEach public void init() { // mock其他方法 } @Test void test1() { // 省略@Test的单元测试方法 } @Test void test2() { // 省略@Test的单元测试方法 }}
转载地址:http://fbffk.baihongyu.com/