一、配置Bean的两种方式之使用XML配置Bean
1.在IOC容器中引入外部属性文件
在IOC容器中,当配置 Bean 时, 有时需要在 Bean 的配置里引入系统部署的相关信息(例如:文件路径、 数据源配置信息等).,而这些部署细节实际上需要和Bean配置相分离,Spring 提供了一个 PropertyPlaceholderConfigurer 的 BeanFactory 后置处理器,这个处理器允许Bean的部分配置转移到属性文件中,可以在IOC容器中使用形式为 ${var} 的变量,PropertyPlaceholderConfigurer 从属性文件里加载属性, 并使用这些属性来替换变量,Spring 还允许在属性文件中使用 ${propName},以实现属性之间的相互引用。
注意:随着Spring的版本迭代,2.5之后的版本引入外部属性文件有了简化,可通过 <context:property-placeholder> 元素来引入外部属性文件:
首先,我们引入c3p0和mysql驱动jar包:
c3p0-0.9.1.2.jar、mysql-connector-java-5.1.7-bin.jar
接着,创建db.properties配置文件,里面配置着mysql连接信息:
jdbc.user=xxx jdbc.password=123456 jdbc.driverClass=com.mysql.jdbc.Driver jdbc.jdbcUrl=jdbc:mysql://xxx:3306/spring
接着,在IOC容器中引入外部属性文件以及配置数据库连接信息:
<?xml version="1.0" encoding="UTF-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:context="http://www.springframework.org/schema/context" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context-4.0.xsd"> <!-- 引入外部资源文件 --> <context:property-placeholder location="classpath:db.properties"/> <!-- 使用c3p0连接池,配置数据库连接信息 --> <bean id="dataSource" class="com.mchange.v2.c3p0.ComboPooledDataSource"> <property name="user" value="${jdbc.user}"></property> <property name="password" value="${jdbc.password}"></property> <property name="jdbcUrl" value="${jdbc.jdbcUrl}"></property> <property name="driverClass" value="${jdbc.driverClass}"></property> </bean> </beans>
最后,开始测试程序:
public class Main { @SuppressWarnings("resource") public static void main(String[] args) throws SQLException { ApplicationContext ctx = new ClassPathXmlApplicationContext("applicationContext.xml"); // 测试数据库是否能连接 DataSource dataSource = (DataSource) ctx.getBean("dataSource"); System.out.println(dataSource.getConnection()); // 运行后输出:[email protected] // 代表连接成功 } }
2..IOC容器中Bean的生命周期