5

我正在开发一个基于 Spring Boot 的 Web 服务,其结构如下:

控制器 (REST) --> 服务 --> 存储库(如某些教程中所建议的那样)。

我的数据库连接(JPA/Hibernate/MySQL)在 @Configuration 类中定义。(见下文)

现在我想为我的 Service 类中的方法编写简单的测试,但我真的不明白如何将 ApplicationContext 加载到我的测试类中以及如何模拟 JPA / Repositories。

这是我走了多远:

我的服务等级

@Component
public class SessionService {
    @Autowired
    private SessionRepository sessionRepository;
    public void MethodIWantToTest(int i){
    };
    [...]
}

我的测试课:

@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(loader = AnnotationConfigContextLoader.class)
public class SessionServiceTest {

    @Configuration
    static class ContextConfiguration {
        @Bean
        public SessionService sessionService() {
            return new SessionService();
        }
    }

    @Autowired
    SessionService sessionService;
    @Test
    public void testMethod(){
    [...]
  }
}

但我得到以下异常:

原因:org.springframework.beans.factory.BeanCreationException:创建名为“sessionService”的bean时出错:注入自动装配的依赖项失败;嵌套异常是 org.springframework.beans.factory.BeanCreationException:无法自动装配字段:私有 com.myApp.SessionRepository com.myApp.SessionService.sessionRepository;嵌套异常是 org.springframework.beans.factory.NoSuchBeanDefinitionException:没有为依赖项找到类型为 [com.myApp.SessionRepository] ​​的合格 bean:预计至少有 1 个 bean 有资格作为此依赖项的自动装配候选者。依赖注解:{@org.springframework.beans.factory.annotation.Autowired(required=true)}

为了完整起见:这是我的 jpa 的@Configuration:

@Configuration
@EnableJpaRepositories(basePackages={"com.myApp.repositories"})
@EnableTransactionManagement
public class JpaConfig {


    @Bean
    public ComboPooledDataSource dataSource() throws PropertyVetoException, IOException {
        ...
    }

   @Bean
    public LocalContainerEntityManagerFactoryBean entityManagerFactory(DataSource dataSource, JpaVendorAdapter jpaVendorAdapter) {
        ...
    }


    @Bean
    public JpaVendorAdapter jpaVendorAdapter() {
        ...
    }

    @Bean
    public PlatformTransactionManager transactionManager(EntityManagerFactory entityManagerFactory) {
   ...
    }

    @Bean
    public PersistenceExceptionTranslationPostProcessor exceptionTranslation(){
  ... 
   }
}
4

2 回答 2

2

使用 @SpringBootTest 和 @RunWith(SpringRunner.class) 加载上下文

@RunWith(SpringRunner.class)
@SpringBootTest
class Demo{
    @Test
    void contextLoad(){}
}
于 2021-02-04T07:10:39.820 回答
0

在您的测试中,Spring 将仅使用内部 ContextConfiguration 类的配置。此类描述您的上下文。在这种情况下,您只创建了服务 bean 而没有创建存储库。因此,将创建的唯一 bean 是 SessionService。您应该在内部 ContextConfiguration 中添加 SessionRepository 的描述。您的 JpaConfig 类不会在测试类中使用(您没有指定这个),仅在应用程序中使用。

于 2013-10-29T10:24:03.393 回答