使用 Jersey 测试框架的 JUnit 测试中的 CDI

CDI in JUnit tests with Jersey Test Framework

我们正在使用 Jersey 测试框架进行 API 测试。在测试模式下,我们使用 h2 数据库,在生产中使用 mysql。到目前为止一切都很好。

现在我想为我们的存储库编写测试,以检查数据是否正确写入数据库。

我无法在我的测试中注入任何 类,所以我使用标准构造函数来创建 RepositoryA 的新实例。适合我。

现在的问题是:RepositoryA 现在正在注入 RepositoryB 的一个实例。并且注入不适用于测试范围。

在这种环境下可以注射运行吗?

根据您使用的库的版本,运行 JUnit 测试中的 CDI 会有所不同。

首先你需要添加这个依赖,选择正确的版本:

<dependency>
   <groupId>org.jboss.weld</groupId>
   <artifactId>weld-junit5</artifactId> // or weld-junit4
   <version>1.3.0.Final</version>
   <scope>test</scope>
</dependency>

然后您可以在 JUnit 测试中启用 Weld。这是一个为名为 VideoGame 的实体 class 注入存储库的示例:

@Slf4j
@EnableWeld
class VideoGameRepositoryTest
{
    @WeldSetup 
    private WeldInitiator weld = WeldInitiator.performDefaultDiscovery();

    @Inject
    private VideoGameRepository repo;

    @Test
    void test()
    {
        VideoGame videoGame = VideoGameFactory.newInstance();
        videoGame.setName("XENON");
        repo.save(videoGame);
        // testing if the ID field had been generated by the JPA Provider.
        Assert.assertNotNull(videoGame.getVersion());
        Assert.assertTrue(videoGame.getVersion() > 0);
       log.info("Video Game : {}", videoGame);
    }
 }

重要的部分是:

  • @EnableWeld放在JUnit测试class.
  • @WeldSetup 放在 WeldInitiator 字段上,以查找所有带注释的 classes。
  • 不要忘记 META-INF 测试 class 路径中的 beans.xml 以便设置 discovery-mode.
  • @Slf4j是一个lombok注解,你不需要它(除非你已经在使用Lombok)

此处 VideoGameRepository 实例也有利于注入,就像在 classical CDI 项目中一样。

这里是 VideoGameFactory 的代码,它获取标有 @Dependent 范围的实体 class 的全新实例。该工厂以编程方式调用 CDI 当前上下文。

public class VideoGameFactory
{
    public static VideoGame newInstance()
    {
        // ask CDI for the instance, injecting required dependencies.
        return CDI.current().select(VideoGame.class).get();
    }
}

或者,您可以查看 Arquillian,它可以带有完整的 Java EE 服务器,以便拥有所有需要的依赖项。