15

我想结合使用自定义TestExecutionListenerSpringJUnit4ClassRunner我的测试数据库上运行 Liquibase 模式设置。我的TestExecutionListener工作正常,但是当我在我的类上使用注释时,被测 DAO 的注入不再起作用,至少实例为空。

@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(locations = { "file:src/main/webapp/WEB-INF/applicationContext-test.xml" })
@TestExecutionListeners({ LiquibaseTestExecutionListener.class })
@LiquibaseChangeSet(changeSetLocations={"liquibase/v001/createTables.xml"})
public class DeviceDAOTest {

    ...

    @Inject
    DeviceDAO deviceDAO;

    @Test
    public void findByCategory_categoryHasSubCategories_returnsAllDescendantsDevices() {
        List<Device> devices = deviceDAO.findByCategory(1); // deviceDAO null -> NPE
        ...
    }
}

监听器相当简单:

public class LiquibaseTestExecutionListener extends AbstractTestExecutionListener {

    @Override
    public void beforeTestClass(TestContext testContext) throws Exception {
        final LiquibaseChangeSet annotation = AnnotationUtils.findAnnotation(testContext.getTestClass(),
                LiquibaseChangeSet.class);
        if (annotation != null) {
            executeChangesets(testContext, annotation.changeSetLocations());
        }
    }

    private void executeChangesets(TestContext testContext, String[] changeSetLocation) throws SQLException,
            LiquibaseException {
        for (String location : changeSetLocation) {
            DataSource datasource = testContext.getApplicationContext().getBean(DataSource.class);
            DatabaseConnection database = new JdbcConnection(datasource.getConnection());
            Liquibase liquibase = new Liquibase(location, new FileSystemResourceAccessor(), database);
            liquibase.update(null);
        }
    }

}

日志中没有错误,只是NullPointerException在我的测试中。我看不到 my 的使用如何TestExecutionListener影响自动装配或注入。

4

2 回答 2

23

我查看了 spring DEBUG 日志,发现当我省略自己的 TestExecutionListener 时,spring 设置了一个 DependencyInjectionTestExecutionListener。使用 @TestExecutionListeners 注释测试时,侦听器会被覆盖。

所以我只是用我的自定义显式添加了 DependencyInjectionTestExecutionListener ,一切正常:

@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(locations = { "file:src/main/webapp/WEB-INF/applicationContext-test.xml" })
@TestExecutionListeners(listeners = { LiquibaseTestExecutionListener.class,
    DependencyInjectionTestExecutionListener.class })
@LiquibaseChangeSet(changeSetLocations = { "liquibase/v001/createTables.xml" })
public class DeviceDAOTest {
    ...

更新:行为记录在这里

... 或者,您可以通过使用 @TestExecutionListeners 显式配置您的类并从侦听器列表中省略 DependencyInjectionTestExecutionListener.class 来完全禁用依赖注入。

于 2013-03-29T13:54:16.677 回答
6

我建议考虑只做类似的事情:

@TestExecutionListeners(
        mergeMode =TestExecutionListeners.MergeMode.MERGE_WITH_DEFAULTS,
        listeners = {MySuperfancyListener.class}
)

这样您就不需要知道需要哪些侦听器。我推荐这种方法,因为 SpringBoot 尝试通过使用DependencyInjectionTestExecutionListener.class.

于 2017-01-08T23:13:36.423 回答