一、核心配置文件 SqlMapConfig.xml
-
environments 标签
数据库环境的配置,⽀持多环境配置- 事务管理器(transactionManager)类型有两种
- JDBC:这个配置就是直接使用了JDBC 的提交和回滚设置,它依赖于从数据源得到的连接来管理事务作用域
- MANAGED:这个配置几乎没做什么,它从来不提交或回滚⼀个连接,而是让容器来管理事务的整个生命周期(比如 JEE 应⽤服务器的上下文), 默认情况下它会关闭连接,然而⼀些容器并不希望这样,因此需要将 closeConnection 属性设置为 false 来阻止它默认的关闭行为
- 数据源(dataSource)类型有三种:
- UNPOOLED:这个数据源的实现只是每次被请求时打开和关闭连接
- POOLED:这种数据源的实现利用“池”的概念将 JDBC 连接对象组织起来
- JNDI:这个数据源的实现是为了能在如 EJB 或应用服务器这类容器中使用,容器可以集中或在外部配置数据源,然后放置⼀个 JNDI 上下文的引用
- 事务管理器(transactionManager)类型有两种
-
mapper 标签
该标签的作用是加载映射的,加载方式有如下几种- 使用相对于类路径的资源引用
例如:<mapper resource="org/mybatis/builder/AuthorMapper.xml"/> - 使用完全限定资源定位符(URL)
例如:<mapper url="file:///var/mappers/AuthorMapper.xml"/> - 使用映射器接口实现类的完全限定类名
例如:<mapper class="org.mybatis.builder.AuthorMapper"/> - 将包内的映射器接口实现全部注册为映射器
例如:<package name="org.mybatis.builder"/>
注意:使用该方式批量注册的时候,需要保证与 mapper 接口同包同名
例如:UserMapper这个接口的接口的所在包是com.wujun.pojo
,那么UserMapper.xml文件就得放在resources目录下的com/wujun/pojo
文件夹中
- 使用相对于类路径的资源引用
-
Properties 标签
实际开发中,习惯将数据源的配置信息单独抽取成⼀个 properties 文件,该标签可以加载额外配置的 properties 文件
-
typeAliases 标签
给实体类的全限定名起别名,方便统一管理使用
mybatis框架已经为我们设置好的⼀些常用的类型的别名:String -> string;Long -> long;Integer -> int;Double -> double;Boolean -> boolean 等等<typeAliases> <!--给单个实体类的全限定类名起别名--> <typeAlias type="com.wujun.pojo.User" alias="user"></typeAlias> <!--批量起别名:该包下所有类的本身的类名,别名不区分大小写--> <package name="com.wujun.pojo"/> </typeAliases> <select id="findAll" resultType="user"> select * from User </select>
-
注意:configuration 的加载顺序
properties -> settings -> typeAliases -> typeHandlers -> objectFactory -> objectWrapperFactory -> reflectorFactory -> plugins -> environments -> databaseIdProvider -> mappers
二、映射配置文件 mapper.xml
-
动态sql语句
- if 标签
<select id="findByCondition" parameterType="user" resultType="user"> select * from User <where> <if test="id != null"> and id = #{id} </if> <if test="username != null"> and username = #{username} </if> </where> </select>
- foreach 标签
foreach标签的属性含义如下- collection:代表要遍历的集合元素,注意编写时不要写#{},数组用array,集合使用 list 或者 collection 都可以
- open:代表语句的开始部分
- close:代表结束部分
- item:代表遍历集合的每个元素,生成的变量名
- sperator:代表分隔符
<select id="findByIds" parameterType="list" resultType="user"> select * from User <where> <foreach collection="list" open="id in(" close=")" item="id" separator=","> #{id} </foreach> </where> </select>
- SQL片段抽取
Sql 中可将重复的 sql 提取出来,使用时用 include 引用即可,最终达到 sql 重用的目的<!--抽取sql片段简化编写--> <sql id="selectUser" select * from User</sql> <select id="findById" parameterType="int" resultType="user"> <include refid="selectUser"></include> where id=#{id} </select> <select id="findByIds" parameterType="list" resultType="user"> <include refid="selectUser"></include> <where> <foreach collection="array" open="id in(" close=")" item="id" separator=","> #{id} </foreach> </where> </select>
- if 标签
网友评论