Java开发经验——Spring Test 常见错误

news2024/11/25 19:35:17

摘要

本文详细介绍了Java开发中Spring Test的常见错误和解决方案。文章首先概述了Spring中进行单元测试的多种方法,包括使用JUnit和Spring Boot Test进行集成测试,以及Mockito进行单元测试。接着,文章分析了Spring资源文件扫描不到的问题,并提供了解决方案。最后,文章探讨了Spring的Mock问题,包括Spring Context启动缓慢的原因和优化方法。

1. Spring使用的测试

在 Spring 中,进行单元测试的方式有多种,主要取决于你希望测试的对象以及使用的测试框架。Spring 提供了丰富的测试支持来帮助开发者测试其应用中的各个组件。常见的 Spring 单元测试方法包括以下几种:

1.1. 使用 JUnit 和 Spring Boot Test((多用于集成测试,启动整个 Spring 容器)

1.1.1. @SpringBootTest

@SpringBootTest 是最常用的单元测试注解之一,它会启动 Spring 容器并加载整个 Spring 上下文,适用于集成测试。通常用于测试一个较大的功能,涉及多个组件和服务。

@SpringBootTest
public class MyServiceTest {

    @Autowired
    private MyService myService;

    @Test
    void testServiceMethod() {
        assertNotNull(myService);
        assertEquals("expected result", myService.someMethod());
    }
}
  • 优点: 自动加载整个 Spring 应用上下文,能够进行集成测试。
  • 适用场景: 测试需要 Spring 配置、服务和其他组件的复杂业务逻辑。

1.1.2. @WebMvcTest

@WebMvcTest 主要用于测试 Spring MVC 控制器。它只会启动 Web 层相关的组件,不会启动整个 Spring 上下文,因此启动速度较快。

@WebMvcTest(MyController.class)
public class MyControllerTest {

    @Autowired
    private MockMvc mockMvc;

    @Test
    public void testController() throws Exception {
        mockMvc.perform(get("/api/endpoint"))
                .andExpect(status().isOk())
                .andExpect(content().string("Expected response"));
    }
}
  • 优点: 只加载 Web 层相关的配置,启动速度快,适合单元测试。
  • 适用场景: 测试控制器和 Web 层的请求响应。

1.1.3. @DataJpaTest

@DataJpaTest 用于测试与数据库相关的功能。它只会启动与 JPA 相关的配置,并且自动配置一个嵌入式数据库,适合用于测试数据访问层。

@DataJpaTest
public class MyRepositoryTest {

    @Autowired
    private MyRepository myRepository;

    @Test
    void testFindById() {
        Optional<MyEntity> entity = myRepository.findById(1L);
        assertTrue(entity.isPresent());
    }
}
  • 优点: 快速配置并测试数据库访问,适合单元测试 Repository 层。
  • 适用场景: 测试与数据库交互的功能,如 Repository 类。

1.1.4. @MockBean

@SpringBootTest
public class MyServiceTest {

    @Autowired
    private MyService myService;

    @MockBean
    private MyRepository myRepository;

    @Test
    void testServiceMethod() {
        when(myRepository.findById(1L)).thenReturn(Optional.of(new MyEntity()));

        MyEntity entity = myService.getEntity(1L);
        assertNotNull(entity);
    }
}
  • 优点: 可以模拟依赖的 Bean,避免在单元测试时连接到真实的数据库或其他外部服务。
  • 适用场景: 测试服务层逻辑时,不依赖实际的数据库或外部服务。

1.2. 使用 Mockito 进行单元测试

Mockito 是常用的 Java 测试框架,可以用来模拟对象(Mock)和验证方法调用。它可以与 Spring 集成,用于服务层或控制器层的单元测试。

1.2.1. @Mock@InjectMocks

@Mock 用于创建一个模拟对象,@InjectMocks 会自动将模拟对象注入到被测试的类中。结合 JUnit 使用时,可以对类中的依赖进行模拟,确保只测试该类的逻辑。

java


复制代码
@RunWith(MockitoJUnitRunner.class)
public class MyServiceTest {

    @Mock
    private MyRepository myRepository;

    @InjectMocks
    private MyService myService;

    @Test
    public void testServiceMethod() {
        when(myRepository.findById(1L)).thenReturn(Optional.of(new MyEntity()));

        MyEntity entity = myService.getEntity(1L);
        assertNotNull(entity);
    }
}
  • 优点: 只测试服务方法,依赖项完全由 Mockito 模拟。
  • 适用场景: 单元测试业务逻辑,模拟数据访问层或外部服务。

1.2.2. @MockBean 与 Spring 配合

在 Spring 环境下使用 Mockito,可以通过 @MockBean 注解将模拟对象注入到 Spring 应用上下文中。这样,你可以测试服务层或控制器层,模拟外部依赖。

java


复制代码
@SpringBootTest
public class MyServiceTest {

    @MockBean
    private MyRepository myRepository;

    @Autowired
    private MyService myService;

    @Test
    void testServiceMethod() {
        when(myRepository.findById(1L)).thenReturn(Optional.of(new MyEntity()));

        MyEntity entity = myService.getEntity(1L);
        assertNotNull(entity);
    }
}
  • 优点: 模拟 Spring 管理的 Bean,可以通过 Spring 容器注入,避免直接依赖外部组件。
  • 适用场景: 测试 Spring 容器管理的组件,模拟其依赖。

1.2.3. 使用 @TestConfiguration 创建自定义配置

@TestConfiguration 允许你为测试创建一个特殊的配置类,可以在测试中替换部分 Bean 配置。

@TestConfiguration
public class MyTestConfig {

    @Bean
    public MyService myService() {
        return new MyService(new MyRepositoryMock());
    }
}
  • 优点: 在测试中使用自定义配置,替代生产环境中的配置。
  • 适用场景: 在单元测试中需要使用特定的测试配置或模拟 Bean 时。

1.2.4. JUnit 5 注解测试@BeforeEach@AfterEach

这些是 JUnit 5 的生命周期注解,用于在每个测试方法之前和之后执行特定的代码。常用于初始化和清理测试环境。

@BeforeEach
void setUp() {
    // 初始化代码
}

@AfterEach
void tearDown() {
    // 清理代码
}
  • 优点: 每个测试方法执行之前和之后执行特定的初始化和清理逻辑。
  • 适用场景: 初始化和清理测试环境

1.2.5. @TestInstance 控制生命周期

@TestInstance 是 JUnit 5 中的注解,用于控制测试类实例化的生命周期。它可以设置为 PER_CLASS,表示测试类只实例化一次,而不是每个测试方法实例化一次。

java


复制代码
@TestInstance(TestInstance.Lifecycle.PER_CLASS)
public class MyServiceTest {
    // 测试方法
}
  • 优点: 可以避免每个测试方法都实例化测试类,适合需要在类级别共享状态的测试。
  • 适用场景: 需要类级别共享状态或资源的场景。

Spring 提供了多种单元测试方法,适用于不同层次的测试需求。常用的方法包括:

  1. @SpringBootTest:用于集成测试,启动整个 Spring 容器。
  2. @WebMvcTest:用于测试 Spring MVC 控制器。
  3. @DataJpaTest:用于测试 JPA 数据访问层。
  4. @MockBean:模拟依赖 Bean,适合服务层测试。
  5. Mockito:用于模拟依赖和验证方法调用,适合单元测试。

根据需要的测试粒度选择合适的测试方法,可以确保高效且全面的测试。

2. SpringBootTest实现单元测试

2.1. SpringBootTest项目与源码示例

package com.zhuangxiaoyan.unit;

import org.springframework.stereotype.Service;

/**
 * CalculatorService
 *
 * @author xjl
 * @version 2024/11/24 10:29
 **/
@Service
public class CalculatorService {
    public int add(int a, int b) {
        return a + b;
    }

    public int subtract(int a, int b) {
        return a - b;
    }
}
package com.zhuangxiaoyan.unit;

import org.junit.jupiter.api.Test;

import static org.junit.jupiter.api.Assertions.assertEquals;

/**
 * CalculatorServiceTest
 *
 * @author xjl
 * @version 2024/11/24 10:29
 **/
public class CalculatorServiceTest {
    private final CalculatorService calculatorService = new CalculatorService();

    @Test
    void testAdd() {
        int result = calculatorService.add(2, 3);
        assertEquals(5, result);
    }

    @Test
    void testSubtract() {
        int result = calculatorService.subtract(5, 3);
        assertEquals(2, result);
    }
}
package com.zhuangxiaoyan.unit;

import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;

import static org.junit.jupiter.api.Assertions.assertEquals;

@SpringBootTest
class UnitApplicationTests {


    @Autowired
    private CalculatorService calculatorService;

    @Test
    void contextLoads() {
    }

     @Test
    void testAdd() {
        int result = calculatorService.add(4, 6);
         System.out.println(result);
        assertEquals(10, result);
    }

    @Test
    void testSubtract() {
        int result = calculatorService.subtract(9, 4);
        System.out.println(result);
        assertEquals(5, result);
    }

}

2.2. org.junit.jupiter.api.Test;和JUNIT5 的区别是什么

org.junit.jupiter.api.Test 是 JUnit 5 中的一个注解,而 JUnit 5 是 JUnit 框架的最新版本。

2.2.1. JUnit 4 vs. JUnit 5 的区别

JUnit 4:

  • 使用 @Test 注解,通常在 org.junit 包下。
  • 没有 @BeforeEach@AfterEach,而是使用 @Before@After 注解。
  • 扩展性较差,不像 JUnit 5 那样有完整的扩展机制。

JUnit 5:

  • 使用 @Test 注解,位于 org.junit.jupiter.api.Test 包下。
  • 引入了新的注解,如 @BeforeEach@AfterEach(替代 @Before@After)。
  • 引入了新的功能,如参数化测试、条件测试、测试生命周期钩子等。
  • 提供了更强大的扩展机制,允许用户编写自己的扩展(例如 @ExtendWith)。

2.2.2. JUnit 5 的新特性

  • 生命周期钩子
    • @BeforeEach 替代了 @Before
    • @AfterEach 替代了 @After
    • @BeforeAll@AfterAll 用于静态方法,替代了 JUnit 4 的 @BeforeClass@AfterClass
  • 扩展性和条件化测试
    • JUnit 5 引入了扩展机制,通过 @ExtendWith 可以将自定义的扩展类添加到测试类中。
    • 可以通过 @EnabledIf@DisabledIf 条件注解来有条件地启用或禁用测试。
  • 参数化测试
    • JUnit 5 提供了更强大的参数化测试支持,如 @ValueSource@EnumSource@MethodSource 等。
  • 更好的报告和兼容性
    • 更好的报告功能,能够输出更详细的测试结果。
    • 通过 JUnit Vintage 模块,JUnit 5 可以与 JUnit 3 和 JUnit 4 的测试兼容运行。

2.3. Mockito 和 JUnit 版本兼容问题

出现了 Could not initialize plugin: interface org.mockito.plugins.MockMaker 这个错误?

Mockito 插件错误通常是由于 Mockito 版本JUnit 版本 不兼容,或者你的项目中的依赖版本不一致。

解决办法:确保你使用的是兼容的 MockitoJUnit 版本。如果你正在使用 JUnit 5,则需要使用兼容的 Mockito 版本。

Maven 依赖示例:如果你使用 JUnit 5 和 Mockito,你应该确保你的 pom.xml 中有以下依赖:

<dependencies>
    <!-- JUnit 5 依赖 -->
    <dependency>
        <groupId>org.junit.jupiter</groupId>
        <artifactId>junit-jupiter-api</artifactId>
        <version>5.8.2</version> <!-- 根据需要选择版本 -->
        <scope>test</scope>
    </dependency>
    <dependency>
        <groupId>org.junit.jupiter</groupId>
        <artifactId>junit-jupiter-engine</artifactId>
        <version>5.8.2</version> <!-- 根据需要选择版本 -->
        <scope>test</scope>
    </dependency>

    <!-- Mockito 依赖 -->
    <dependency>
        <groupId>org.mockito</groupId>
        <artifactId>mockito-core</artifactId>
        <version>4.0.0</version> <!-- 根据需要选择版本 -->
        <scope>test</scope>
    </dependency>
    <dependency>
        <groupId>org.mockito</groupId>
        <artifactId>mockito-junit-jupiter</artifactId>
        <version>4.0.0</version> <!-- 确保使用与 mockito-core 兼容的版本 -->
        <scope>test</scope>
    </dependency>
</dependencies>

确保使用与 Mockito 4.xJUnit 5 兼容的版本(如上所示)。如果你使用的是 JUnit 4,那么需要使用与之兼容的 Mockito 版本

3. Spring资源文件扫描不到

@RestController
public class HelloController {

    @Autowired
    HelloWorldService helloWorldService;

    @RequestMapping(path = "hi", method = RequestMethod.GET)
    public String hi() throws Exception{
        return  helloWorldService.toString() ;
    };

}

当访问 http://localhost:8080/hi 时,上述接口会打印自动注入的HelloWorldService类型的 Bean。而对于这个 Bean 的定义,我们这里使用配置文件的方式进行。

  1. 定义 HelloWorldService,具体到 HelloWorldService 的实现并非本讲的重点,所以我们可以简单实现如下:
public class HelloWorldService {
}
  1. 定义一个 spring.xml,在这个 XML 中定义 HelloWorldServic 的Bean,并把这个 spring.xml 文件放置在/src/main/resources 中:
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
  xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd">
  <bean id="helloWorldService" class="com.spring.puzzle.others.test.example1.HelloWorldService">
  </bean>
</beans>
  1. 定义一个 Configuration 引入上述定义 XML,具体实现方式如下:
@Configuration
@ImportResource(locations = {"spring.xml"})
public class Config {
}

完成上述步骤后,我们就可以使用 main() 启动起来。测试这个接口,一切符合预期。那么接下来,我们来写一个测试:

@SpringBootTest()
class ApplicationTests {

    @Autowired
    public HelloController helloController;

    @Test
    public void testController() throws Exception {
        String response = helloController.hi();
        Assert.notNull(response, "not null");
    }

}

当我们运行上述测试的时候,会发现测试失败了,报错如下:

3.1. 问题解析

启动程序加载spring.xml

首先看下调用栈:

可以看出,它最终以 ClassPathResource 形式来加载,这个资源的情况如下:

而具体到加载实现,它使用的是 ClassPathResource#getInputStream 来加载spring.xml文件:

从上述调用及代码实现,可以看出最终是可以加载成功的。

测试加载spring.xml

首先看下调用栈:

可以看出它是按 ServletContextResource 来加载的,这个资源的情况如下:

具体到实现,它最终使用的是 MockServletContext#getResourceAsStream 来加载文件:

@Nullable
public InputStream getResourceAsStream(String path) {
    String resourceLocation = this.getResourceLocation(path);
    Resource resource = null;

    try {
        resource = this.resourceLoader.getResource(resourceLocation);
        return !resource.exists() ? null : resource.getInputStream();
    } catch (IOException | InvalidPathException var5) {
        if (this.logger.isWarnEnabled()) {
            this.logger.warn("Could not open InputStream for resource " + (resource != null ? resource : resourceLocation), var5);
        }

        return null;
    }
}

你可以继续跟踪它的加载位置相关代码,即 getResourceLocation():

protected String getResourceLocation(String path) {
    if (!path.startsWith("/")) {
        path = "/" + path;
    }
    //加上前缀:/src/main/resources
    String resourceLocation = this.getResourceBasePathLocation(path);
    if (this.exists(resourceLocation)) {
        return resourceLocation;
    } else {
        //{"classpath:META-INF/resources", "classpath:resources", "classpath:static", "classpath:public"};
        String[] var3 = SPRING_BOOT_RESOURCE_LOCATIONS;
        int var4 = var3.length;

        for(int var5 = 0; var5 < var4; ++var5) {
            String prefix = var3[var5];
            resourceLocation = prefix + path;
            if (this.exists(resourceLocation)) {
                return resourceLocation;
            }
        }

        return super.getResourceLocation(path);
    }
}

你会发现,它尝试从下面的一些位置进行加载:

classpath:META-INF/resources
classpath:resources
classpath:static
classpath:public
src/main/webapp

如果你仔细看这些目录,你还会发现,这些目录都没有spring.xml。或许你认为源文件src/main/resource下面不是有一个 spring.xml 么?那上述位置中的classpath:resources不就能加载了么?

那你肯定是忽略了一点:当程序运行起来后,src/main/resource 下的文件最终是不带什么resource的。关于这点,你可以直接查看编译后的目录(本地编译后是 target\classes 目录),示例如下:

所以,最终我们在所有的目录中都找不到spring.xml,并且会报错提示加载不了文件。报错的地方位于 ServletContextResource#getInputStream 中:

@Override
public InputStream getInputStream() throws IOException {
   InputStream is = this.servletContext.getResourceAsStream(this.path);
   if (is == null) {
      throw new FileNotFoundException("Could not open " + getDescription());
   }
   return is;
}

3.2. 问题修正

从上述案例解析中,我们了解到了报错的原因,那么如何修正这个问题?这里我们可以采用两种方式。

  1. 在加载目录上放置 spring.xml

就本案例而言,加载目录有很多,所以修正方式也不少,我们可以建立一个 src/main/webapp,然后把 spring.xml 复制一份进去就可以了。也可以在/src/main/resources 下面再建立一个 resources 目录,然后放置进去也可以。

  1. 在 @ImportResource 使用classpath加载方式
@Configuration
//@ImportResource(locations = {"spring.xml"})
@ImportResource(locations = {"classpath:spring.xml"})
public class Config {
}

这里,我们可以通过 Spring 的官方文档简单了解下不同加载方式的区别,参考 Chapter 4. Resources:

很明显,我们一般都不会使用本案例的方式(即locations = {“spring.xml”},无任何“前缀”的方式),毕竟它已经依赖于使用的 ApplicationContext。而 classPath 更为普适些,而一旦你按上述方式修正后,你会发现它加载的资源已经不再是 ServletContextResource,而是和应用程序一样的 ClassPathResource,这样自然可以加载到了。

4. Spring的Mock问题

有时候,我们会发现 Spring Test 运行起来非常缓慢,寻根溯源之后,你会发现主要是因为很多测试都启动了Spring Context,示例如下:

那么为什么有的测试会多次启动 Spring Context?在具体解析这个问题之前,我们先模拟写一个案例来复现这个问题。

我们先在 Spring Boot 程序中写几个被测试类:

@Service
public class ServiceOne {
}
@Service
public class ServiceTwo {
}

然后分别写出对应的测试类:

@SpringBootTest()
class ServiceOneTests {

    @MockBean
    ServiceOne serviceOne;

    @Test
    public void test(){
        System.out.println(serviceOne);
    }
}

@SpringBootTest()
class ServiceTwoTests {
    @MockBean
    ServiceTwo serviceTwo;
    @Test
    public void test(){
        System.out.println(serviceTwo);
    }
}

在上述测试类中,我们都使用了@MockBean。写完这些程序,批量运行测试,你会发现Spring Context 果然会被运行多次。那么如何理解这个现象,是错误还是符合预期?接下来我们具体来解析下。

4.1. 案例解析

当我们运行一个测试的时候,正常情况是不会重新创建一个 Spring Context 的。这是因为 Spring Test 使用了 Context 的缓存以避免重复创建 Context。那么这个缓存是怎么维护的呢?我们可以通过DefaultCacheAwareContextLoaderDelegate#loadContext来看下 Context 的获取和缓存逻辑:

public ApplicationContext loadContext(MergedContextConfiguration mergedContextConfiguration) {
    synchronized(this.contextCache) {
        ApplicationContext context = this.contextCache.get(mergedContextConfiguration);
        if (context == null) {
            try {
                context = this.loadContextInternal(mergedContextConfiguration);
                //省略非关键代码
                this.contextCache.put(mergedContextConfiguration, context);
            } catch (Exception var6) {
            //省略非关键代码
            }
        } else if (logger.isDebugEnabled()) {
            //省略非关键代码
        }

        this.contextCache.logStatistics();
        return context;
    }
}

从上述代码可以看出,缓存的 Key 是 MergedContextConfiguration。所以一个测试要不要启动一个新的 Context,就取决于根据这个测试 Class 构建的 MergedContextConfiguration 是否相同。而是否相同取决于它的 hashCode() 实现:

public int hashCode() {
    int result = Arrays.hashCode(this.locations);
    result = 31 * result + Arrays.hashCode(this.classes);
    result = 31 * result + this.contextInitializerClasses.hashCode();
    result = 31 * result + Arrays.hashCode(this.activeProfiles);
    result = 31 * result + Arrays.hashCode(this.propertySourceLocations);
    result = 31 * result + Arrays.hashCode(this.propertySourceProperties);
    result = 31 * result + this.contextCustomizers.hashCode();
    result = 31 * result + (this.parent != null ? this.parent.hashCode() : 0);
    result = 31 * result + nullSafeClassName(this.contextLoader).hashCode();
    return result;
}

从上述方法,你可以看出只要上述元素中的任何一个不同都会导致一个 Context 会重新创建出来。关于这个缓存机制和 Key 的关键因素你可以参考 Spring 的官方文档,也有所提及,这里我直接给出了链接,你可以对照着去阅读。

点击获取:Redirecting...

现在回到本案例,为什么会创建一个新的 Context 而不是复用?根源在于两个测试的contextCustomizers这个元素的不同。如果你不信的话,你可以调试并对比下。

ServiceOneTests 的 MergedContextConfiguration 示例如下:

ServiceTwoTests 的 MergedContextConfiguration 示例如下:

很明显,MergedContextConfiguration(即 Context Cache 的 Key)的 ContextCustomizer 是不同的,所以 Context 没有共享起来。而追溯到 ContextCustomizer 的创建,我们可以具体来看下。

当我们运行一个测试(testClass)时,我们会使用 MockitoContextCustomizerFactory#createContextCustomizer 来创建一个 ContextCustomizer,代码示例如下:

class MockitoContextCustomizerFactory implements ContextCustomizerFactory {
    MockitoContextCustomizerFactory() {
    }

    public ContextCustomizer createContextCustomizer(Class<?> testClass, List<ContextConfigurationAttributes> configAttributes) {
        DefinitionsParser parser = new DefinitionsParser();
        parser.parse(testClass);
        return new MockitoContextCustomizer(parser.getDefinitions());
    }
}

创建的过程是由 DefinitionsParser 来解析这个测试 Class(例如案例中的 ServiceOneTests),如果这个测试 Class 中包含了 MockBean 或者 SpyBean 标记的情况,则将对应标记的情况转化为 MockDefinition,最终添加到 ContextCustomizer 中。解析的过程参考 DefinitionsParser#parse:

void parse(Class<?> source) {
    this.parseElement(source);
    ReflectionUtils.doWithFields(source, this::parseElement);
}

private void parseElement(AnnotatedElement element) {
    MergedAnnotations annotations = MergedAnnotations.from(element, SearchStrategy.SUPERCLASS);
//MockBean 处理    annotations.stream(MockBean.class).map(MergedAnnotation::synthesize).forEach((annotation) -> {
        this.parseMockBeanAnnotation(annotation, element);
    });
//SpyBean 处理    annotations.stream(SpyBean.class).map(MergedAnnotation::synthesize).forEach((annotation) -> {
        this.parseSpyBeanAnnotation(annotation, element);
    });
}

private void parseMockBeanAnnotation(MockBean annotation, AnnotatedElement element) {
    Set<ResolvableType> typesToMock = this.getOrDeduceTypes(element, annotation.value());
    //省略非关键代码
    Iterator var4 = typesToMock.iterator();
    while(var4.hasNext()) {
        ResolvableType typeToMock = (ResolvableType)var4.next();
        MockDefinition definition = new MockDefinition(annotation.name(), typeToMock, annotation.extraInterfaces(), annotation.answer(), annotation.serializable(), annotation.reset(), QualifierDefinition.forElement(element));
        //添加到 DefinitionsParser#definitions
        this.addDefinition(element, definition, "mock");
    }
}

那说了这么多,Spring Context 重新创建的根本原因还是在于使用了@MockBean 且不同,从而导致构建的 MergedContextConfiguration 不同,而 MergedContextConfiguration 正是作为 Cache 的 Key,Key 不同,Context 不能被复用,所以被重新创建了。这就是为什么在案例介绍部分,你会看到多次 Spring Context 的启动过程。而正因为“重启”,测试速度变缓慢了。

4.2. 问题修正

到这,你会发现其实这种缓慢的根源是使用了@MockBean 带来的一个正常现象。但是假设你非要去提速下,那么你可以尝试使用 Mockito 去手工实现类似的功能。当然你也可以尝试使用下面的方式来解决,即把相关的 MockBean 都定义到一个地方去。例如针对本案例,修正方案如下:

public class ServiceTests {
    @MockBean
    ServiceOne serviceOne;
    @MockBean
    ServiceTwo serviceTwo;

}

@SpringBootTest()
class ServiceOneTests extends ServiceTests{

    @Test
    public void test(){
        System.out.println(serviceOne);
    }

}

@SpringBootTest()
class ServiceTwoTests  extends ServiceTests{
    @Test
    public void test(){
        System.out.println(serviceTwo);
    }
}

重新运行测试,你会发现 Context 只会被创建一次,速度也有所提升了。相信,你也明白这么改能工作的原因了,现在每个测试对应的 Context 缓存 Key 已经相同了。

博文参考

《Spring常见错误》

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/2247461.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

Java基于Spring Boot框架的房屋租赁系统,附源码

博主介绍&#xff1a;✌Java老徐、7年大厂程序员经历。全网粉丝12w、csdn博客专家、掘金/华为云/阿里云/InfoQ等平台优质作者、专注于Java技术领域和毕业项目实战✌ &#x1f345;文末获取源码联系&#x1f345; &#x1f447;&#x1f3fb; 精彩专栏推荐订阅&#x1f447;&…

单片机_简单AI模型训练与部署__从0到0.9

IDE&#xff1a; CLion MCU&#xff1a; STM32F407VET6 一、导向 以求知为导向&#xff0c;从问题到寻求问题解决的方法&#xff0c;以兴趣驱动学习。 虽从0&#xff0c;但不到1&#xff0c;剩下的那一小步将由你迈出。本篇主要目的是体验完整的一次简单AI模型部署流程&#x…

Java-08 深入浅出 MyBatis - 多对多模型 SqlMapConfig 与 Mapper 详细讲解测试

点一下关注吧&#xff01;&#xff01;&#xff01;非常感谢&#xff01;&#xff01;持续更新&#xff01;&#xff01;&#xff01; 大数据篇正在更新&#xff01;https://blog.csdn.net/w776341482/category_12713819.html 目前已经更新到了&#xff1a; MyBatis&#xff…

IDEA使用tips(LTS✍)

一、查找项目中某个外部库依赖类的pom来源 1、显示图 2、导出Maven 项目依赖的可视化输出文件 3、点击要查找的目标类&#xff0c;项目中定位后复制依赖名称 4、在导出的依赖的可视化文件中搜索查找 5、综上得到&#xff0c;Around类来自于pom中的spring-boot-starter-aop:jar…

【LLM训练系列02】如何找到一个大模型Lora的target_modules

方法1&#xff1a;观察attention中的线性层 import numpy as np import pandas as pd from peft import PeftModel import torch import torch.nn.functional as F from torch import Tensor from transformers import AutoTokenizer, AutoModel, BitsAndBytesConfig from typ…

如何选择服务器

如何选择服务器 选择服务器时应考虑以下几个关键因素&#xff1a; 性能需求。根据网站的预期流量和负载情况&#xff0c;选择合适的处理器、内存和存储容量。考虑网站是否需要处理大量动态内容或高分辨率媒体文件。 可扩展性。选择一个可以轻松扩展的服务器架构&#xff0c;以便…

C++共享智能指针

C中没有垃圾回收机制&#xff0c;必须自己释放分配的内存&#xff0c;否则就会造成内存泄漏。解决这个问题最有效的方式是使用智能指针。 智能指针是存储指向动态分配(堆)对象指针的类&#xff0c;用于生存期的控制&#xff0c;能够确保在离开指针所在作用域时&#xff0c;自动…

python Flask指定IP和端口

from flask import Flask, request import uuidimport json import osapp Flask(__name__)app.route(/) def hello_world():return Hello, World!if __name__ __main__:app.run(host0.0.0.0, port5000)

虚幻引擎---初识篇

一、学习途径 虚幻引擎官方文档&#xff1a;https://dev.epicgames.com/documentation/zh-cn/unreal-engine/unreal-engine-5-5-documentation虚幻引擎在线学习平台&#xff1a;https://dev.epicgames.com/community/unreal-engine/learning哔哩哔哩&#xff1a;https://www.b…

Java开发经验——SpringRestTemplate常见错误

摘要 本文分析了在使用Spring框架的RestTemplate发送表单请求时遇到的常见错误。主要问题在于将表单参数错误地以JSON格式提交&#xff0c;导致服务器无法正确解析参数。文章提供了错误案例的分析&#xff0c;并提出了修正方法。 1. 表单参数类型是MultiValueMap RestControl…

oracle会话追踪

一 跟踪当前会话 1.1 查看当前会话的SID,SERIAL# #在当前会话里执行 示例&#xff1a; SQL> select distinct userenv(sid) from v$mystat; USERENV(SID) -------------- 1945 SQL> select distinct sid,serial# from v$session where sid1945; SID SERIAL# …

数据可视化复习2-绘制折线图+条形图(叠加条形图,并列条形图,水平条形图)+ 饼状图 + 直方图

目录 目录 一、绘制折线图 1.使用pyplot 2.使用numpy ​编辑 3.使用DataFrame ​编辑 二、绘制条形图&#xff08;柱状图&#xff09; 1.简单条形图 2.绘制叠加条形图 3.绘制并列条形图 4.水平条形图 ​编辑 三、绘制饼状图 四、绘制散点图和直方图 1.散点图 2…

postgresql按照年月日统计历史数据

1.按照日 SELECT a.time,COALESCE(b.counts,0) as counts from ( SELECT to_char ( b, YYYY-MM-DD ) AS time FROM generate_series ( to_timestamp ( 2024-06-01, YYYY-MM-DD hh24:mi:ss ), to_timestamp ( 2024-06-30, YYYY-MM-DD hh24:mi:ss ), 1 days ) AS b GROUP BY tim…

【JavaEE初阶 — 多线程】定时器的应用及模拟实现

目录 1. 标准库中的定时器 1.1 Timer 的定义 1.2 Timer 的原理 1.3 Timer 的使用 1.4 Timer 的弊端 1.5 ScheduledExecutorService 2. 模拟实现定时器 2.1 实现定时器的步骤 2.1.1 定义类描述任务 定义类描述任务 第一种定义方法 …

一文学会Golang里拼接字符串的6种方式(性能对比)

g o l a n g golang golang的 s t r i n g string string类型是不可修改的&#xff0c;对于拼接字符串来说&#xff0c;本质上还是创建一个新的对象将数据放进去。主要有以下几种拼接方式 拼接方式介绍 1.使用 s t r i n g string string自带的运算符 ans ans s2. 使用…

LeetCode 3244.新增道路查询后的最短距离 II:贪心(跃迁合并)-9行py(O(n))

【LetMeFly】3244.新增道路查询后的最短距离 II&#xff1a;贪心&#xff08;跃迁合并&#xff09;-9行py&#xff08;O(n)&#xff09; 力扣题目链接&#xff1a;https://leetcode.cn/problems/shortest-distance-after-road-addition-queries-ii/ 给你一个整数 n 和一个二维…

MyBatis中特殊SQL的执行

目录 1.模糊查询 2.批量删除 3.动态设置表名 4.添加功能获取自增的主键 1.模糊查询 List<User> getUserByLike(Param("username") String username); <select id"getUserByLike" resultType"com.atguigu.mybatis.pojo.User">&…

ES 基本使用与二次封装

概述 基本了解 Elasticsearch 是一个开源的分布式搜索和分析引擎&#xff0c;基于 Apache Lucene 构建。它提供了对海量数据的快速全文搜索、结构化搜索和分析功能&#xff0c;是目前流行的大数据处理工具之一。主要特点即高效搜索、分布式存储、拓展性强 核心功能 全文搜索:…

Azkaban部署

首先我们需要现在相关的组件&#xff0c;在这里已经给大家准备好了相关的安装包&#xff0c;有需要的可以自行下载。 只需要启动hadoop集群就可以&#xff0c;如果现在你的hive是打开的&#xff0c;那么请你关闭&#xff01;&#xff01;&#xff01; 如果不关会造成证书冲突…

Jmeter中的定时器

4&#xff09;定时器 1--固定定时器 功能特点 固定延迟&#xff1a;在每个请求之间添加固定的延迟时间。精确控制&#xff1a;可以精确控制请求的发送频率。简单易用&#xff1a;配置简单&#xff0c;易于理解和使用。 配置步骤 添加固定定时器 右键点击需要添加定时器的请求…