使用组件类进行上下文配置
要使用组件类为您的测试加载ApplicationContext
(参见基于Java的容器配置),您可以使用@ContextConfiguration
注解您的测试类,并使用包含组件类引用的数组配置classes
属性。以下示例显示了如何操作
-
Java
-
Kotlin
@ExtendWith(SpringExtension.class)
// ApplicationContext will be loaded from AppConfig and TestConfig
@ContextConfiguration(classes = {AppConfig.class, TestConfig.class}) (1)
class MyTest {
// class body...
}
1 | 指定组件类。 |
@ExtendWith(SpringExtension::class)
// ApplicationContext will be loaded from AppConfig and TestConfig
@ContextConfiguration(classes = [AppConfig::class, TestConfig::class]) (1)
class MyTest {
// class body...
}
1 | 指定组件类。 |
组件类
术语“组件类”可以指以下任何一项:
有关组件类的配置和语义的更多信息,请参见 |
如果您从@ContextConfiguration
注解中省略classes
属性,TestContext框架将尝试检测默认配置类的存在。具体来说,AnnotationConfigContextLoader
和AnnotationConfigWebContextLoader
会检测测试类的所有static
嵌套类,这些类满足配置类实现的要求,如@Configuration
Javadoc中所述。请注意,配置类的名称是任意的。此外,如果需要,测试类可以包含多个static
嵌套配置类。在下面的示例中,OrderServiceTest
类声明了一个名为Config
的static
嵌套配置类,该类将自动用于加载测试类的ApplicationContext
-
Java
-
Kotlin
@SpringJUnitConfig (1)
// ApplicationContext will be loaded from the static nested Config class
class OrderServiceTest {
@Configuration
static class Config {
// this bean will be injected into the OrderServiceTest class
@Bean
OrderService orderService() {
OrderService orderService = new OrderServiceImpl();
// set properties, etc.
return orderService;
}
}
@Autowired
OrderService orderService;
@Test
void testOrderService() {
// test the orderService
}
}
1 | 从嵌套Config 类加载配置信息。 |
@SpringJUnitConfig (1)
// ApplicationContext will be loaded from the nested Config class
class OrderServiceTest {
@Autowired
lateinit var orderService: OrderService
@Configuration
class Config {
// this bean will be injected into the OrderServiceTest class
@Bean
fun orderService(): OrderService {
// set properties, etc.
return OrderServiceImpl()
}
}
@Test
fun testOrderService() {
// test the orderService
}
}
1 | 从嵌套Config 类加载配置信息。 |