整合前的数据库连接方式
MyBatis的配置文件主要包括数据库连接池配置文件、日志输出配置文件和Mapper映射配置文件,其中主要配置信息在数据库连接池配置文件,这里是SqlMapConfig.xml
。
该文件通过<settings>标签来设置日志输出模式。
通过<mappers>标签来配置Mapper映射配置文件的路径。
和传统的JDBC相比,MyBatis将数据库连接关闭、SQL语句的输入输出映射都放在配置文件中。不再需要通过getConnection()方法来获取数据库的连接。而是先通过Resources资源加载类
加载SqlMapConfig.xml配置文件,然后以Resources对象为参数,创建出会话工厂SqlSessionFactory
。该工厂就可以创建出与数据库交互的sqlSession类的实例对象。
public class DataConnection{
private String resource = "SqlMapConfig.xml";
private SqlSessionFactory SqlSessionFactory;
private SqlSession SqlSession;
public SqlSession getSqlSession() throws IOException{
InputStream inputStream =Resources.getResourceAsStream(resource);
sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);
sqlSession = sqlSessionFactory.openSession();
return sqlSession;
}
}
虽然不需要通过getConnection()方法获取连接,但是需要通过新建DataConnection
实例对象,并调用getSqlSession()
方法来获取连接。
除了直接将数据库连接信息放在SqlMapConfig.xml中以外,还可以采用类似的方法将配置信息放在properties格式的文件中。例如在SqlMapConfig.xml中引入:
<properties resource="org/mybatis/example/db.properties">
然后将数据库连接信息放在db.properties中。这时候当然在SqlMapConfig.xml中还是有数据库连接的内容,但是具体的信息只需要通过“${}”
来引用properties
文件中的变量就可以了。这样可以避免数据库配置信息的硬编码。
整合后的数据库连接方式
Spring与MyBatis进行整合。其中的一个好处就是能够以单例方式来管理SqlSessionFactory
。当然这也就意味着通过Spring来创建SqlSessionFactory
,替代了上面的DataConnection
类的工作。
<?xml version="1.0" encoding="UTF-8"?>
<beans ...>
<context:property-placeholder location="classpath:db.properties">
<bean id="datasource" class="org.apache.commons.dbcp.BasicDataSource" destroy-method="close">
<property name="driverClassName" value="${jdbc.driver}"></property>
<property name="url" value="${jdbc.url}"></property>
<property name="username" value="${jdbc.username}"></property>
<property name="password" value="${jdbc.password}"></property>
<property name="maxActive" value="10"></property>
<property name="maxIdle" value="5"></property>
</bean>
<bean id="sqlSessionFactory" class="org.mybatis.spring.SqlSessionFactoryBean">
<property name="configLocation" value="mybatis/SqlMapConfig.xml" />
<property name="dataSource" ref="dataSource" />
</bean>
</beans>
这时候,MyBatis的全局配置文件SqlMapConfig.xml就不需要配置数据源信息了,只需要配置一些缓存的setting参数、以及typeAliases别名等。
网友评论