2

我正在使用 Spring 3.0 和 jUnit 4.8,并且正在尝试开发一些单元测试。

实际上,我只是尝试在 jUnit 使用的应用程序上下文中加载的 XML 中定义的测试用例中使用依赖注入设置 bean 的属性(文件)。

我正在使用使用 jUnit 4 方法的注释加载的 XML 文件配置。这是所有测试类使用的主要 BaseTest:

@ContextConfiguration("/test-context.xml")
@RunWith(SpringJUnit4ClassRunner.class)
@Ignore
public class BaseTest { ... }

这是一部分test-context.xml

<context:component-scan base-package="com.test" />  

<bean id="ExtractorTest" class="com.test.service.ExtractorTest">
    <property name="file" value="classpath:xls/SimpleFile.xls"></property>
</bean>

所以我试图在我的类中使用测试(ExtractorTest)做的只是用类路径中加载的文件设置“文件”属性,没有别的。

这是包含测试的课程的一部分:

public class ExtractorTest extends BaseTest {

    private Resource file;
    private InputStream is;

    public void setFile(Resource file) {
        this.file = file;
    }

    @Before
    public void init() {
        this.is = this.getClass().getResourceAsStream("/xls/SimpleFile.xls");
        Assert.assertNotNull(is);
    }

    @Test
    public void testLoadExcel() throws IOException {
        // file is always null, but the InputStream (is) isn't!
        Assert.assertNotNull(file.getFile());
        InputStream is = new FileInputStream(file.getFile());
        HSSFWorkbook wb = new HSSFWorkbook(new POIFSFileSystem(is));
        // todo...
    }

}

问题是 setter 可以工作,因为我添加了一个断点并且 Spring 正在设置它的属性。但是当测试方法启动时它是空的,可能是因为它是另一个正在运行的实例,但是为什么呢?如何使用应用程序上下文的 XML 设置要加载的“文件”以进行测试?我无法使用 jUnit 分配它,我不明白为什么以及如何去做。我试图避免在 @Before 方法中写入,但我不知道这绝对是一个好方法......

谢谢你。

PD:对不起我的英语;-)

4

1 回答 1

3

您的配置不起作用,因为 Spring 没有创建ExtractorTestJUnit 使用的实例;相反,该实例由 JUnit 创建,然后传递给 Spring 进行后期处理。

您看到的效果是因为应用程序上下文创建了一个具有 id 的 bean,ExtractorTest但没有人使用它。

伪代码:

ApplicationContect appContext = new ...
appContext.defineBean("ExtractorTest", new ExtractorTest()); // Calls setter

ExtractorTest test = new ExtractorTest(); // Doesn't call setter
test.postProcess(appContext); // inject beans from appContext -> does nothing in your case

所以解决方案是定义一个bean file

<bean id="file" class="..." />

(请参阅文档如何构建Resourcebean)然后让 Spring 注入:

@Autowired
private Resource file;
于 2012-08-02T12:00:07.207 回答