0

我想在弹簧单元测试(SpringJUnit4ClassRunner)的拆卸方法中使用bean。但是这个方法(用@AfterClass 注释)应该是静态的。有什么解决办法?

例子:

@RunWith(SpringJUnit4ClassRunner.class)
//.. bla bla other annotations
public class Test{

@Autowired
private SomeClass some;

@AfterClass
public void tearDown(){
    //i want to use "some" bean here, 
    //but @AfterClass requires that the function will be static
    some.doSomething();
}

@Test
public void test(){
    //test something
}

}
4

2 回答 2

2

也许您想使用@After 而不是@AfterClass。它不是静态的。

于 2013-02-25T19:17:24.650 回答
2

JUnit 为每个测试方法使用一个新实例,因此在@AfterClass执行时测试实例不存在并且您无法访问任何成员。

如果您真的需要它,您可以使用应用程序上下文向测试类添加一个静态成员,并使用TestExecutionListener

例如:

public class ExposeContextTestExecutionListener  extends AbstractTestExecutionListener {

    @Override
    public void afterTestClass(TestContext testContext) throws Exception {
        Field field = testContext.getTestClass().getDeclaredField("applicationContext");
        ReflectionUtils.makeAccessible(field);
        field.set(null, testContext.getApplicationContext());
    }
}

@RunWith(SpringJUnit4ClassRunner.class)
@TestExecutionListeners(listeners={ExposeContextTestExecutionListener.class})
@ContextConfiguration(locations="classpath:applicationContext.xml")
public class ExposeApplicationContextTest  {

    private static ApplicationContext applicationContext;

    @AfterClass
    public static void tearDown() {
        Assert.assertNotNull(applicationContext);
    }
}
于 2013-02-25T19:57:33.110 回答