多种装配方式的混用
除了自动配置,Spring使用显式的Java配置或者XML配置也可以完成任何装配。通常情况下可能在一个Spring项目中同时使用自动配置和显式配置。
对于自动配置,它自动从整个容器上下文中查找合适的bean,这个bean是通过@Component
之类的标准,可能来自Java配置或者XML配置。
我们先来了解一下Java配置吧。
Java配置
创建配置类
使用Java配置,通过创建一个专门用于Spring配置的类,然后通过@Configuration
标注该类。这个类一般不包含业务代码,类似于一个配置文件。
package com.tianmaying.config;
import org.springframework.context.annotation.Configuration;
@Configuration
public class BlogConfig {
}
定义Bean
接下来就可以往配置类中添加定义Bean的Java代码了。
package com.tianmaying.config;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import com.tianmaying.dao.UserDao;
import com.tianmaying.dao.UserDaoImpl;
import com.tianmaying.service.UserService;
@Configuration
public class BlogConfig {
// 定义Spring Bean
@Bean
public UserService userService() {
UserService userService = new UserService();
userService.setUserDao(userDao()); //注入属性
return userService;
}
// 定义Spring Bean
@Bean
public UserDao userDao() {
return new UserDaoImpl();
}
}
此时,我们可以将UserDao
和UserService
的@Component
标注删除,我们发现整个应用依然可以工作。
XML配置
接下来我们把PostDao
和PostService
的@Component
标注删除,通过XML的方式来将这两个类注册为Spring
Bean。在src/main/resources
下新建blogConfig.xml
文件,添加以下内容:
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd">
<bean id="postService" class="com.tianmaying.service.PostService">
<property name="postDao" ref="postDao"></property>
</bean>
<bean id="postDao" class="com.tianmaying.service.PostDao">
</bean>
</beans>
<bean>
元素类似于Java配置中的@Bean
标注,用于定义个Spring
Bean,<property>
元素则用于定义依赖。
Java配置和XML配置可以相互引用,我们可以通过以下方式将XML配置引入到Java配置中:
@ImportResource("classpath:blogConfig.xml")
@Configuration
public class BlogConfig {
}
Java配置与XML配置的混用
通过@Import注解也能导入其他的JavaConfig,并且支持同时导入多个配置文件:
@Configuration
@Import({BossConfig.class, EmployeeConfig.class})
public class BossConfig {
}
通过标签导入Java配置文件到XML配置文件,例如:
<bean class="com.tianmaying.config.BlogConfig" />
当然,XML配置文件中,也可以引入其他的XML配置文件。通过标签即可引入:
<bean class="com.tianmaying.config.BossConfig" />
小节
无论使用JavaConfig或者XML装配,一般都要创建一个根配置(Root Configuration),并且在这个配置文件中开启自动扫描机制:
- XML配置文件使用
<context:component-scan>
- Java配置文件中使用
@ComponentScan
更多文章请访问天码营网站
时间: 2024-10-05 02:01:17