MyBatis的深入原理分析之1-架构设计以及实例分析

MyBatis是目前非常流行的ORM框架,它的功能很强大,然而其实现却比较简单、优雅。本文主要讲述MyBatis的架构设计思路,并且讨论MyBatis的几个核心部件,然后结合一个select查询实例,深入代码,来探究MyBatis的实现。

一、MyBatis的框架设计

       注:上图很大程度上参考了iteye 上的chenjc_it所写的博文原理分析之二:框架整体设计 中的MyBatis架构体图,chenjc_it总结的非常好,赞一个!

1.接口层---和数据库交互的方式

MyBatis和数据库的交互有两种方式:

a.使用传统的MyBatis提供的API;

b. 使用Mapper接口

1.1.使用传统的MyBatis提供的API

这是传统的传递Statement Id 和查询参数给 SqlSession 对象,使用 SqlSession对象完成和数据库的交互;MyBatis 提供了非常方便和简单的API,供用户实现对数据库的增删改查数据操作,以及对数据库连接信息和MyBatis 自身配置信息的维护操作。

上述使用MyBatis 的方法,是创建一个和数据库打交道的SqlSession对象,然后根据Statement Id 和参数来操作数据库,这种方式固然很简单和实用,但是它不符合面向对象语言的概念和面向接口编程的编程习惯。由于面向接口的编程是面向对象的大趋势,MyBatis 为了适应这一趋势,增加了第二种使用MyBatis 支持接口(Interface)调用方式。

1.2. 使用Mapper接口

MyBatis 将配置文件中的每一个<mapper> 节点抽象为一个 Mapper 接口,而这个接口中声明的方法和跟<mapper> 节点中的<select|update|delete|insert> 节点项对应,即<select|update|delete|insert> 节点的id值为Mapper 接口中的方法名称,parameterType 值表示Mapper 对应方法的入参类型,而resultMap 值则对应了Mapper 接口表示的返回值类型或者返回结果集的元素类型。

根据MyBatis 的配置规范配置好后,通过SqlSession.getMapper(XXXMapper.class) 方法,MyBatis 会根据相应的接口声明的方法信息,通过动态代理机制生成一个Mapper 实例,我们使用Mapper 接口的某一个方法时,MyBatis 会根据这个方法的方法名和参数类型,确定Statement Id,底层还是通过SqlSession.select("statementId",parameterObject);或者SqlSession.update("statementId",parameterObject); 等等来实现对数据库的操作,(至于这里的动态机制是怎样实现的,我将准备专门一片文章来讨论,敬请关注~

MyBatis 引用Mapper 接口这种调用方式,纯粹是为了满足面向接口编程的需要。(其实还有一个原因是在于,面向接口的编程,使得用户在接口上可以使用注解来配置SQL语句,这样就可以脱离XML配置文件,实现“0配置”)。

2.数据处理层

数据处理层可以说是MyBatis 的核心,从大的方面上讲,它要完成三个功能:

a. 通过传入参数构建动态SQL语句;

b. SQL语句的执行以及封装查询结果集成List<E>

2.1.参数映射和动态SQL语句生成

动态语句生成可以说是MyBatis框架非常优雅的一个设计,MyBatis 通过传入的参数值,使用 Ognl 来动态地构造SQL语句,使得MyBatis 有很强的灵活性和扩展性。

参数映射指的是对于java 数据类型和jdbc数据类型之间的转换:这里有包括两个过程:查询阶段,我们要将java类型的数据,转换成jdbc类型的数据,通过 preparedStatement.setXXX() 来设值;另一个就是对resultset查询结果集的jdbcType 数据转换成java 数据类型。

至于具体的MyBatis是如何动态构建SQL语句的,我将准备专门一篇文章来讨论,敬请关注~

2.2. SQL语句的执行以及封装查询结果集成List<E>

动态SQL语句生成之后,MyBatis 将执行SQL语句,并将可能返回的结果集转换成List<E> 列表。MyBatis 在对结果集的处理中,支持结果集关系一对多和多对一的转换,并且有两种支持方式,一种为嵌套查询语句的查询,还有一种是嵌套结果集的查询。

3. 框架支撑层

 3.1. 事务管理机制

事务管理机制对于ORM框架而言是不可缺少的一部分,事务管理机制的质量也是考量一个ORM框架是否优秀的一个标准,对于数据管理机制我已经在我的博文《深入理解mybatis原理》 MyBatis事务管理机制 中有非常详细的讨论,感兴趣的读者可以点击查看。

3.2. 连接池管理机制

由于创建一个数据库连接所占用的资源比较大, 对于数据吞吐量大和访问量非常大的应用而言,连接池的设计就显得非常重要,对于连接池管理机制我已经在我的博文《深入理解mybatis原理》 Mybatis数据源与连接池 中有非常详细的讨论,感兴趣的读者可以点击查看。

3.3. 缓存机制

为了提高数据利用率和减小服务器和数据库的压力,MyBatis 会对于一些查询提供会话级别的数据缓存,会将对某一次查询,放置到SqlSession中,在允许的时间间隔内,对于完全相同的查询,MyBatis 会直接将缓存结果返回给用户,而不用再到数据库中查找。(至于具体的MyBatis缓存机制,我将准备专门一篇文章来讨论,敬请关注~

  3. 4. SQL语句的配置方式

传统的MyBatis 配置SQL 语句方式就是使用XML文件进行配置的,但是这种方式不能很好地支持面向接口编程的理念,为了支持面向接口的编程,MyBatis 引入了Mapper接口的概念,面向接口的引入,对使用注解来配置SQL 语句成为可能,用户只需要在接口上添加必要的注解即可,不用再去配置XML文件了,但是,目前的MyBatis 只是对注解配置SQL 语句提供了有限的支持,某些高级功能还是要依赖XML配置文件配置SQL 语句。

4 引导层

引导层是配置和启动MyBatis 配置信息的方式。MyBatis 提供两种方式来引导MyBatis :基于XML配置文件的方式和基于Java API 的方式,读者可以参考我的另一片博文:Java Persistence with MyBatis 3(中文版) 第二章 引导MyBatis

二、MyBatis的主要构件及其相互关系

从MyBatis代码实现的角度来看,MyBatis的主要的核心部件有以下几个:

  • SqlSession            作为MyBatis工作的主要顶层API,表示和数据库交互的会话,完成必要数据库增删改查功能
  • Executor              MyBatis执行器,是MyBatis 调度的核心,负责SQL语句的生成和查询缓存的维护
  • StatementHandler   封装了JDBC Statement操作,负责对JDBC statement 的操作,如设置参数、将Statement结果集转换成List集合。
  • ParameterHandler   负责对用户传递的参数转换成JDBC Statement 所需要的参数,
  • ResultSetHandler    负责将JDBC返回的ResultSet结果集对象转换成List类型的集合;
  • TypeHandler          负责java数据类型和jdbc数据类型之间的映射和转换
  • MappedStatement   MappedStatement维护了一条<select|update|delete|insert>节点的封装,
  • SqlSource            负责根据用户传递的parameterObject,动态地生成SQL语句,将信息封装到BoundSql对象中,并返回
  • BoundSql             表示动态生成的SQL语句以及相应的参数信息
  • Configuration        MyBatis所有的配置信息都维持在Configuration对象之中。

(注:这里只是列出了我个人认为属于核心的部件,请读者不要先入为主,认为MyBatis就只有这些部件哦!每个人对MyBatis的理解不同,分析出的结果自然会有所不同,欢迎读者提出质疑和不同的意见,我们共同探讨~)

它们的关系如下图所示:

三、从MyBatis一次select 查询语句来分析MyBatis的架构设计

一、数据准备(非常熟悉和应用过MyBatis 的读者可以迅速浏览此节即可)

 1. 准备数据库数据,创建EMPLOYEES表,插入数据:      

use lp;

  -- 创建一个员工基本信息表
   create  table `EMPLOYEES` (
      `EMPLOYEE_ID` int(6) NOT NULL DEFAULT 0 COMMENT ‘员工编号‘,
      `FIRST_NAME`  varchar(20) NOT NULL DEFAULT ‘‘ COMMENT ‘first name‘,
      `LAST_NAME` varchar(25) NOT NULL DEFAULT ‘‘ COMMENT ‘last name‘ ,
      `EMAIL`  varchar(25) NOT NULL DEFAULT‘‘  COMMENT ‘email address‘ ,
      `SALARY` decimal(8,2) NOT NULL DEFAULT 0.00 COMMENT ‘salary‘,
       PRIMARY KEY (`EMPLOYEE_ID`)
   )ENGINE=InnoDB DEFAULT CHARSET=utf8  COMMENT=‘员工表‘;

insert into EMPLOYEES (EMPLOYEE_ID, FIRST_NAME, LAST_NAME, EMAIL, SALARY)
values (100, ‘Steven‘, ‘King‘, ‘SKING‘, 24000.00);  

insert into EMPLOYEES (EMPLOYEE_ID, FIRST_NAME, LAST_NAME, EMAIL, SALARY)
values (101, ‘Neena‘, ‘Kochhar‘, ‘NKOCHHAR‘, 17000.00);  

insert into EMPLOYEES (EMPLOYEE_ID, FIRST_NAME, LAST_NAME, EMAIL, SALARY)
values (102, ‘Lex‘, ‘De Haan‘, ‘LDEHAAN‘, 17000.00);  

insert into EMPLOYEES (EMPLOYEE_ID, FIRST_NAME, LAST_NAME, EMAIL, SALARY)
values (103, ‘Alexander‘, ‘Hunold‘, ‘AHUNOLD‘, 9000.00);  

insert into EMPLOYEES (EMPLOYEE_ID, FIRST_NAME, LAST_NAME, EMAIL, SALARY)
values (104, ‘Bruce‘, ‘Ernst‘, ‘BERNST‘, 6000.00);  

insert into EMPLOYEES (EMPLOYEE_ID, FIRST_NAME, LAST_NAME, EMAIL, SALARY)
values (105, ‘David‘, ‘Austin‘, ‘DAUSTIN‘, 4800.00);  

insert into EMPLOYEES (EMPLOYEE_ID, FIRST_NAME, LAST_NAME, EMAIL, SALARY)
values (106, ‘Valli‘, ‘Pataballa‘, ‘VPATABAL‘, 4800.00);  

insert into EMPLOYEES (EMPLOYEE_ID, FIRST_NAME, LAST_NAME, EMAIL, SALARY)
values (107, ‘Diana‘, ‘Lorentz‘, ‘DLORENTZ‘, 4200.00);    

2. 配置Mybatis的配置文件,命名为teaboymybatis.xml:

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE configuration PUBLIC "-//mybatis.org//DTD Config 3.0//EN" "http://mybatis.org/dtd/mybatis-3-config.dtd"> 

<configuration>
    <properties resource="conf/custom/env/teaboydb.properties" />
    <settings>
        <setting name="defaultStatementTimeout" value="10" />
    </settings>
    <!-- 使用别名 -->
    <typeAliases>
        <typeAlias alias="Employee" type="com.teaboy.model.Employee" />
    </typeAliases>
    <environments default="jmsg-server">
        <environment id="jmsg-server">
            <transactionManager type="JDBC" />
            <!--使用连接池PooledDataSource -->
            <dataSource type="POOLED">
                <property name="driver" value="${jmsgserver.driver}" />
                <property name="url" value="${jmsgserver.url}" />
                <property name="username" value="${jmsgserver.username}" />
                <property name="password" value="${jmsgserver.password}" />
            </dataSource>
        </environment>
    </environments>
    <mappers>
        <mapper resource="conf/mybatis/EmployeesMapper.xml" />
    </mappers>
</configuration>

3.     创建Employee实体Bean 以及配置Mapper配置文件EmployeesMapper.xml

package com.teaboy.model;

import java.math.BigDecimal;
/**
 *
 * (员工测试类)
 *
 * <p>
 * 修改历史:                                            <br>
 * 修改日期            修改人员       版本             修改内容<br>
 * -------------------------------------------------<br>
 * 2016年9月26日 上午11:23:49   user     1.0        初始化创建<br>
 * </p>
 *
 * @author        Peng.Li
 * @version        1.0
 * @since        JDK1.7
 */
public class Employee {

    private Integer employeeId;  

    private String firstName;  

    private String lastName;  

    private String email;  

    private BigDecimal salary;  

    public Integer getEmployeeId() {
        return employeeId;
    }  

    public void setEmployeeId(Integer employeeId) {
        this.employeeId = employeeId;
    }  

    public String getFirstName() {
        return firstName;
    }  

    public void setFirstName(String firstName) {
        this.firstName = firstName;
    }  

    public String getLastName() {
        return lastName;
    }  

    public void setLastName(String lastName) {
        this.lastName = lastName;
    }  

    public String getEmail() {
        return email;
    }  

    public void setEmail(String email) {
        this.email = email;
    }  

    public BigDecimal getSalary() {
        return salary;
    }  

    public void setSalary(BigDecimal salary) {
        this.salary = salary;
    }  

}

EmployeesMapper.xml 配置文件

<?xml version="1.0" encoding="UTF-8"?>

<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
"http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="Employee">
    <!--不使用别名,必须使用全名 com.teaboy.model.Employee -->
    <resultMap id="BaseResultMap" type="Employee">
        <id column="EMPLOYEE_ID" property="employeeId" jdbcType="DECIMAL" />
        <result column="FIRST_NAME" property="firstName" jdbcType="VARCHAR" />
        <result column="LAST_NAME" property="lastName" jdbcType="VARCHAR" />
        <result column="EMAIL" property="email" jdbcType="VARCHAR" />
        <result column="SALARY" property="salary" jdbcType="DECIMAL" />
    </resultMap>
    <!-- 表名 -->
    <sql id="TABLE_NAME">EMPLOYEES</sql>

    <sql id="BASE_COLUMN_LIST">
        EMPLOYEE_ID, FIRST_NAME, LAST_NAME, EMAIL, SALARY
    </sql>

    <select id="findEmployeeById">
        select
        <include refid=‘BASE_COLUMN_LIST‘ />
        from
        <include refid=‘TABLE_NAME‘ />
        where EMPLOYEE_ID = #{employeeId,jdbcType=DECIMAL}
    </select>

    <!-- 查询工资低于 min_salary的员工 -->
    <select id="selectByMinSalary" resultMap="BaseResultMap"
        parameterType="java.util.Map">
        select
        <include refid=‘BASE_COLUMN_LIST‘ />
        from
        <include refid=‘TABLE_NAME‘ /> t

        <where>
            <if test="min_salary != null">
                t.SALARY &lt; #{min_salary,jdbcType=VARCHAR}
            </if>
        </where>
    </select>

</mapper>

4. 创建eclipse 或者myeclipse 的maven项目,maven配置如下:

<mybatis.version>3.2.4</mybatis.version>

 <!-- mybatis核心包 -->
        <dependency>
            <groupId>org.mybatis</groupId>
            <artifactId>mybatis</artifactId>
            <version>${mybatis.version}</version>
        </dependency>
        <!-- mybatis/spring包 -->
        <dependency>
            <groupId>org.mybatis</groupId>
            <artifactId>mybatis-spring</artifactId>
            <version>1.2.2</version>
        </dependency>
        <!-- mysql驱动包 -->
        <dependency>
            <groupId>mysql</groupId>
            <artifactId>mysql-connector-java</artifactId>
            <version>5.1.29</version>
        </dependency> 

5. 客户端代码:

package mybatisTest;

import java.io.InputStream;
import java.util.HashMap;
import java.util.List;
import java.util.Map;

import org.apache.ibatis.io.Resources;
import org.apache.ibatis.session.SqlSession;
import org.apache.ibatis.session.SqlSessionFactory;
import org.apache.ibatis.session.SqlSessionFactoryBuilder;

import com.alibaba.fastjson.JSON;
import com.teaboy.model.Employee;

/**
 *
 * (查询)
 *
 * <p>
 * 修改历史:                                            <br>
 * 修改日期            修改人员       版本             修改内容<br>
 * -------------------------------------------------<br>
 * 2016年9月26日 下午12:11:15   user     1.0        初始化创建<br>
 * </p>
 *
 * @author        Peng.Li
 * @version        1.0
 * @since        JDK1.7
 */
public class SelectDemo {

    public static void main(String[] args) throws Exception {
        //1.加载mybatis配置文件,初始化mybatis,创建SqlSessionFactory的工厂
        InputStream inputStream = Resources.getResourceAsStream("conf/core/teaboymybatis.xml");
        SqlSessionFactoryBuilder builder = new SqlSessionFactoryBuilder();
        SqlSessionFactory factory = builder.build(inputStream);
        //2.从SqlSession工厂SqlSessionFactory中创建一个SqlSession,进行数据库操作
        SqlSession sqlSession = factory.openSession();

        //3.使用sqlSession进行查询
        Map<String, Object>condMap = new HashMap<String, Object>();
        condMap.put("min_salary", 10000);
        //selectList方法参数 statement ==  mapper (namespace.id) == Employee.selectByMinSalary
        List<Employee> elEmployees = sqlSession.selectList("Employee.selectByMinSalary", condMap);
        System.out.println(JSON.toJSONString(elEmployees));

    }

}

二、SqlSession 的工作过程分析:

1. 开启一个数据库访问会话---创建SqlSession对象:

SqlSession sqlSession = factory.openSession();
   DefaultSqlSessionFactory的openSession方法如下:

   public SqlSession openSession() {
    return openSessionFromDataSource(configuration.getDefaultExecutorType(), null, false);
  }
  
 跟进去看下openSessionFromDataSource的源码:

private SqlSession openSessionFromDataSource(ExecutorType execType, TransactionIsolationLevel level, boolean autoCommit) {
    Transaction tx = null;
    try {
      final Environment environment = configuration.getEnvironment();
      final TransactionFactory transactionFactory = getTransactionFactoryFromEnvironment(environment);
      tx = transactionFactory.newTransaction(environment.getDataSource(), level, autoCommit);
      final Executor executor = configuration.newExecutor(tx, execType, autoCommit);
      return new DefaultSqlSession(configuration, executor);
    } catch (Exception e) {
      closeTransaction(tx); // may have fetched a connection so lets call close()
      throw ExceptionFactory.wrapException("Error opening session.  Cause: " + e, e);
    } finally {
      ErrorContext.instance().reset();
    }
  }

MyBatis封装了对数据库的访问,把对数据库的会话和事务控制放到了SqlSession对象中。

2. 为SqlSession传递一个配置的Sql语句 的Statement Id和参数,然后返回结果:

[java] view plain copy

print?

  1. List<Employee> result = sqlSession.selectList("com.louis.mybatis.dao.EmployeesMapper.selectByMinSalary",params);

上述的"com.louis.mybatis.dao.EmployeesMapper.selectByMinSalary",是配置在EmployeesMapper.xml 的Statement ID,params 是传递的查询参数。

让我们来看一下sqlSession.selectList()方法的定义:

[java] view plain copy

print?

  1. public <E> List<E> selectList(String statement, Object parameter) {
  2. return this.selectList(statement, parameter, RowBounds.DEFAULT);
  3. }
  4. public <E> List<E> selectList(String statement, Object parameter, RowBounds rowBounds) {
  5. try {
  6. //1.根据Statement Id,在mybatis 配置对象Configuration中查找和配置文件相对应的MappedStatement
  7. MappedStatement ms = configuration.getMappedStatement(statement);
  8. //2. 将查询任务委托给MyBatis 的执行器 Executor
  9. List<E> result = executor.query(ms, wrapCollection(parameter), rowBounds, Executor.NO_RESULT_HANDLER);
  10. return result;
  11. } catch (Exception e) {
  12. throw ExceptionFactory.wrapException("Error querying database.  Cause: " + e, e);
  13. } finally {
  14. ErrorContext.instance().reset();
  15. }
  16. }

MyBatis在初始化的时候,会将MyBatis的配置信息全部加载到内存中,使用org.apache.ibatis.session.Configuration实例来维护。使用者可以使用sqlSession.getConfiguration()方法来获取。MyBatis的配置文件中配置信息的组织格式和内存中对象的组织格式几乎完全对应的。上述例子中的

[html] view plain copy

print?

  1. <select id="selectByMinSalary" resultMap="BaseResultMap" parameterType="java.util.Map" >
  2. select
  3. EMPLOYEE_ID, FIRST_NAME, LAST_NAME, EMAIL, SALARY
  4. from LOUIS.EMPLOYEES
  5. <if test="min_salary != null">
  6. where SALARY < #{min_salary,jdbcType=DECIMAL}
  7. </if>
  8. </select>

加载到内存中会生成一个对应的MappedStatement对象,然后会以key="com.louis.mybatis.dao.EmployeesMapper.selectByMinSalary" ,valueMappedStatement对象的形式维护到Configuration的一个Map中。当以后需要使用的时候,只需要通过Id值来获取就可以了。

从上述的代码中我们可以看到SqlSession的职能是:

SqlSession根据Statement ID, 在mybatis配置对象Configuration中获取到对应的MappedStatement对象,然后调用mybatis执行器来执行具体的操作。

3.MyBatis执行器Executor根据SqlSession传递的参数执行query()方法(由于代码过长,读者只需阅读我注释的地方即可):

[java] view plain copy

print?

  1. /**
  2. * BaseExecutor 类部分代码
  3. *
  4. */
  5. public <E> List<E> query(MappedStatement ms, Object parameter, RowBounds rowBounds, ResultHandler resultHandler) throws SQLException {
  6. // 1.根据具体传入的参数,动态地生成需要执行的SQL语句,用BoundSql对象表示
  7. BoundSql boundSql = ms.getBoundSql(parameter);
  8. // 2.为当前的查询创建一个缓存Key
  9. CacheKey key = createCacheKey(ms, parameter, rowBounds, boundSql);
  10. return query(ms, parameter, rowBounds, resultHandler, key, boundSql);
  11. }
  12. @SuppressWarnings("unchecked")
  13. public <E> List<E> query(MappedStatement ms, Object parameter, RowBounds rowBounds, ResultHandler resultHandler, CacheKey key, BoundSql boundSql) throws SQLException {
  14. ErrorContext.instance().resource(ms.getResource()).activity("executing a query").object(ms.getId());
  15. if (closed) throw new ExecutorException("Executor was closed.");
  16. if (queryStack == 0 && ms.isFlushCacheRequired()) {
  17. clearLocalCache();
  18. }
  19. List<E> list;
  20. try {
  21. queryStack++;
  22. list = resultHandler == null ? (List<E>) localCache.getObject(key) : null;
  23. if (list != null) {
  24. handleLocallyCachedOutputParameters(ms, key, parameter, boundSql);
  25. } else {
  26. // 3.缓存中没有值,直接从数据库中读取数据
  27. list = queryFromDatabase(ms, parameter, rowBounds, resultHandler, key, boundSql);
  28. }
  29. } finally {
  30. queryStack--;
  31. }
  32. if (queryStack == 0) {
  33. for (DeferredLoad deferredLoad : deferredLoads) {
  34. deferredLoad.load();
  35. }
  36. deferredLoads.clear(); // issue #601
  37. if (configuration.getLocalCacheScope() == LocalCacheScope.STATEMENT) {
  38. clearLocalCache(); // issue #482
  39. }
  40. }
  41. return list;
  42. }
  43. private <E> List<E> queryFromDatabase(MappedStatement ms, Object parameter, RowBounds rowBounds, ResultHandler resultHandler, CacheKey key, BoundSql boundSql) throws SQLException {
  44. List<E> list;
  45. localCache.putObject(key, EXECUTION_PLACEHOLDER);
  46. try {
  47. //4. 执行查询,返回List 结果,然后    将查询的结果放入缓存之中
  48. list = doQuery(ms, parameter, rowBounds, resultHandler, boundSql);
  49. } finally {
  50. localCache.removeObject(key);
  51. }
  52. localCache.putObject(key, list);
  53. if (ms.getStatementType() == StatementType.CALLABLE) {
  54. localOutputParameterCache.putObject(key, parameter);
  55. }
  56. return list;
  57. }

[java] view plain copy

print?

  1. /**
  2. *
  3. *SimpleExecutor类的doQuery()方法实现
  4. *
  5. */
  6. public <E> List<E> doQuery(MappedStatement ms, Object parameter, RowBounds rowBounds, ResultHandler resultHandler, BoundSql boundSql) throws SQLException {
  7. Statement stmt = null;
  8. try {
  9. Configuration configuration = ms.getConfiguration();
  10. //5. 根据既有的参数,创建StatementHandler对象来执行查询操作
  11. StatementHandler handler = configuration.newStatementHandler(wrapper, ms, parameter, rowBounds, resultHandler, boundSql);
  12. //6. 创建java.Sql.Statement对象,传递给StatementHandler对象
  13. stmt = prepareStatement(handler, ms.getStatementLog());
  14. //7. 调用StatementHandler.query()方法,返回List结果集
  15. return handler.<E>query(stmt, resultHandler);
  16. } finally {
  17. closeStatement(stmt);
  18. }
  19. }

上述的Executor.query()方法几经转折,最后会创建一个StatementHandler对象,然后将必要的参数传递给StatementHandler,使用StatementHandler来完成对数据库的查询,最终返回List结果集。

从上面的代码中我们可以看出,Executor的功能和作用是:

(1、根据传递的参数,完成SQL语句的动态解析,生成BoundSql对象,供StatementHandler使用;

(2、为查询创建缓存,以提高性能(具体它的缓存机制不是本文的重点,我会单独拿出来跟大家探讨,感兴趣的读者可以关注我的其他博文);

(3、创建JDBC的Statement连接对象,传递给StatementHandler对象,返回List查询结果。

4. StatementHandler对象负责设置Statement对象中的查询参数、处理JDBC返回的resultSet,将resultSet加工为List 集合返回:

接着上面的Executor第六步,看一下:prepareStatement() 方法的实现:

[java] view plain copy

print?

  1. /**
  2. *
  3. *SimpleExecutor类的doQuery()方法实现
  4. *
  5. */
  6. public <E> List<E> doQuery(MappedStatement ms, Object parameter, RowBounds rowBounds, ResultHandler resultHandler, BoundSql boundSql) throws SQLException { Statement stmt = null; try { Configuration configuration = ms.getConfiguration(); StatementHandler handler = configuration.newStatementHandler(wrapper, ms, parameter, rowBounds, resultHandler, boundSql); // 1.准备Statement对象,并设置Statement对象的参数 stmt = prepareStatement(handler, ms.getStatementLog()); // 2. StatementHandler执行query()方法,返回List结果 return handler.<E>query(stmt, resultHandler); } finally { closeStatement(stmt); } }
  7. private Statement prepareStatement(StatementHandler handler, Log statementLog) throws SQLException {
  8. Statement stmt;
  9. Connection connection = getConnection(statementLog);
  10. stmt = handler.prepare(connection);
  11. //对创建的Statement对象设置参数,即设置SQL 语句中 ? 设置为指定的参数
  12. handler.parameterize(stmt);
  13. return stmt;
  14. }

以上我们可以总结StatementHandler对象主要完成两个工作:

(1. 对于JDBCPreparedStatement类型的对象,创建的过程中,我们使用的是SQL语句字符串会包含 若干个? 占位符,我们其后再对占位符进行设值。

StatementHandler通过parameterize(statement)方法对Statement进行设值;

(2.StatementHandler通过List<E> query(Statement statement, ResultHandler resultHandler)方法来完成执行Statement,和将Statement对象返回的resultSet封装成List

5.   StatementHandler 的parameterize(statement) 方法的实现:

[java] view plain copy

print?

  1. /**
  2. *   StatementHandler 类的parameterize(statement) 方法实现
  3. */
  4. public void parameterize(Statement statement) throws SQLException {
  5. //使用ParameterHandler对象来完成对Statement的设值
  6. parameterHandler.setParameters((PreparedStatement) statement);
  7. }

[java] view plain copy

print?

  1. /**
  2. *
  3. *ParameterHandler类的setParameters(PreparedStatement ps) 实现
  4. * 对某一个Statement进行设置参数
  5. */
  6. public void setParameters(PreparedStatement ps) throws SQLException {
  7. ErrorContext.instance().activity("setting parameters").object(mappedStatement.getParameterMap().getId());
  8. List<ParameterMapping> parameterMappings = boundSql.getParameterMappings();
  9. if (parameterMappings != null) {
  10. for (int i = 0; i < parameterMappings.size(); i++) {
  11. ParameterMapping parameterMapping = parameterMappings.get(i);
  12. if (parameterMapping.getMode() != ParameterMode.OUT) {
  13. Object value;
  14. String propertyName = parameterMapping.getProperty();
  15. if (boundSql.hasAdditionalParameter(propertyName)) { // issue #448 ask first for additional params
  16. value = boundSql.getAdditionalParameter(propertyName);
  17. } else if (parameterObject == null) {
  18. value = null;
  19. } else if (typeHandlerRegistry.hasTypeHandler(parameterObject.getClass())) {
  20. value = parameterObject;
  21. } else {
  22. MetaObject metaObject = configuration.newMetaObject(parameterObject);
  23. value = metaObject.getValue(propertyName);
  24. }
  25. // 每一个Mapping都有一个TypeHandler,根据TypeHandler来对preparedStatement进行设置参数
  26. TypeHandler typeHandler = parameterMapping.getTypeHandler();
  27. JdbcType jdbcType = parameterMapping.getJdbcType();
  28. if (value == null && jdbcType == null) jdbcType = configuration.getJdbcTypeForNull();
  29. // 设置参数
  30. typeHandler.setParameter(ps, i + 1, value, jdbcType);
  31. }
  32. }
  33. }
  34. }

从上述的代码可以看到,StatementHandler 的parameterize(Statement) 方法调用了 ParameterHandler的setParameters(statement) 方法,

ParameterHandler的setParameters(Statement)方法负责 根据我们输入的参数,对statement对象的 ? 占位符处进行赋值。

6.   StatementHandler 的List<E> query(Statement statement, ResultHandler resultHandler)方法的实现:

[java] view plain copy

print?

  1. /**
  2. * PreParedStatement类的query方法实现
  3. */
  4. public <E> List<E> query(Statement statement, ResultHandler resultHandler) throws SQLException {
  5. // 1.调用preparedStatemnt。execute()方法,然后将resultSet交给ResultSetHandler处理
  6. PreparedStatement ps = (PreparedStatement) statement;
  7. ps.execute();
  8. //2. 使用ResultHandler来处理ResultSet
  9. return resultSetHandler.<E> handleResultSets(ps);
  10. }

[java] view plain copy

print?

  1. /**
  2. *ResultSetHandler类的handleResultSets()方法实现
  3. *
  4. */
  5. public List<Object> handleResultSets(Statement stmt) throws SQLException {
  6. final List<Object> multipleResults = new ArrayList<Object>();
  7. int resultSetCount = 0;
  8. ResultSetWrapper rsw = getFirstResultSet(stmt);
  9. List<ResultMap> resultMaps = mappedStatement.getResultMaps();
  10. int resultMapCount = resultMaps.size();
  11. validateResultMapsCount(rsw, resultMapCount);
  12. while (rsw != null && resultMapCount > resultSetCount) {
  13. ResultMap resultMap = resultMaps.get(resultSetCount);
  14. //将resultSet
  15. handleResultSet(rsw, resultMap, multipleResults, null);
  16. rsw = getNextResultSet(stmt);
  17. cleanUpAfterHandlingResultSet();
  18. resultSetCount++;
  19. }
  20. String[] resultSets = mappedStatement.getResulSets();
  21. if (resultSets != null) {
  22. while (rsw != null && resultSetCount < resultSets.length) {
  23. ResultMapping parentMapping = nextResultMaps.get(resultSets[resultSetCount]);
  24. if (parentMapping != null) {
  25. String nestedResultMapId = parentMapping.getNestedResultMapId();
  26. ResultMap resultMap = configuration.getResultMap(nestedResultMapId);
  27. handleResultSet(rsw, resultMap, null, parentMapping);
  28. }
  29. rsw = getNextResultSet(stmt);
  30. cleanUpAfterHandlingResultSet();
  31. resultSetCount++;
  32. }
  33. }
  34. return collapseSingleResultList(multipleResults);
  35. }

从上述代码我们可以看出,StatementHandler 的List<E> query(Statement statement, ResultHandler resultHandler)方法的实现,是调用了ResultSetHandler的handleResultSets(Statement) 方法。ResultSetHandler的handleResultSets(Statement) 方法会将Statement语句执行后生成的resultSet 结果集转换成List<E> 结果集:

[java] view plain copy

print?

  1. //
  2. // DefaultResultSetHandler 类的handleResultSets(Statement stmt)实现
  3. //HANDLE RESULT SETS
  4. //
  5. public List<Object> handleResultSets(Statement stmt) throws SQLException {
  6. final List<Object> multipleResults = new ArrayList<Object>();
  7. int resultSetCount = 0;
  8. ResultSetWrapper rsw = getFirstResultSet(stmt);
  9. List<ResultMap> resultMaps = mappedStatement.getResultMaps();
  10. int resultMapCount = resultMaps.size();
  11. validateResultMapsCount(rsw, resultMapCount);
  12. while (rsw != null && resultMapCount > resultSetCount) {
  13. ResultMap resultMap = resultMaps.get(resultSetCount);
  14. //将resultSet
  15. handleResultSet(rsw, resultMap, multipleResults, null);
  16. rsw = getNextResultSet(stmt);
  17. cleanUpAfterHandlingResultSet();
  18. resultSetCount++;
  19. }
  20. String[] resultSets = mappedStatement.getResulSets();
  21. if (resultSets != null) {
  22. while (rsw != null && resultSetCount < resultSets.length) {
  23. ResultMapping parentMapping = nextResultMaps.get(resultSets[resultSetCount]);
  24. if (parentMapping != null) {
  25. String nestedResultMapId = parentMapping.getNestedResultMapId();
  26. ResultMap resultMap = configuration.getResultMap(nestedResultMapId);
  27. handleResultSet(rsw, resultMap, null, parentMapping);
  28. }
  29. rsw = getNextResultSet(stmt);
  30. cleanUpAfterHandlingResultSet();
  31. resultSetCount++;
  32. }
  33. }
  34. return collapseSingleResultList(multipleResults);
  35. }

由于上述的过程时序图太过复杂,就不贴出来了,读者可以下载MyBatis源码, 使用Eclipse、Intellij IDEA、NetBeans 等IDE集成环境创建项目,Debug MyBatis源码,一步步跟踪MyBatis的实现,这样对学习MyBatis框架很有帮助~

时间: 2024-11-04 05:38:35

MyBatis的深入原理分析之1-架构设计以及实例分析的相关文章

《深入理解mybatis原理1》 MyBatis的架构设计以及实例分析

<深入理解mybatis原理> MyBatis的架构设计以及实例分析 MyBatis是目前非常流行的ORM框架,它的功能很强大,然而其实现却比较简单.优雅.本文主要讲述MyBatis的架构设计思路,并且讨论MyBatis的几个核心部件,然后结合一个select查询实例,深入代码,来探究MyBatis的实现. 一.MyBatis的框架设计   注:上图很大程度上参考了iteye 上的chenjc_it   所写的博文原理分析之二:框架整体设计 中的MyBatis架构体图,chenjc_it总结的

《深入理解mybatis原理》 MyBatis的架构设计以及实例分析

MyBatis是目前非常流行的ORM框架,它的功能很强大,然而其实现却比较简单.优雅.本文主要讲述MyBatis的架构设计思路,并且讨论MyBatis的几个核心部件,然后结合一个select查询实例,深入代码,来探究MyBatis的实现. 一.MyBatis的框架设计        注:上图很大程度上参考了iteye 上的chenjc_it所写的博文原理分析之二:框架整体设计 中的MyBatis架构体图,chenjc_it总结的非常好,赞一个! 1.接口层---和数据库交互的方式 MyBatis

MyBatis架构设计及源代码分析系列(一):MyBatis架构

如果不太熟悉MyBatis使用的请先参见MyBatis官方文档,这对理解其架构设计和源码分析有很大好处. 一.概述 MyBatis并不是一个完整的ORM框架,其官方首页是这么介绍自己 The MyBatis data mapper framework makes it easier to use a relational database with object-oriented applications. MyBatis couples objects with stored procedur

ENode框架Conference案例分析系列之 - 架构设计

Conference架构概述 先贴一下Conference案例的在线地址,UI因为完全拿了微软的实现,所以都是英文的,以后我有空再改为中文的. Conference后台会议管理:http://www.enode.me/conference Conference前台预定座位:http://www.enode.me/registration ENode论坛开源案例:http://www.enode.me/post ENode开源项目地址:https://github.com/tangxuehua/e

实时海量日志分析系统的架构设计、实现以及思考

1 序 对ETL系统中数据转换和存储操作的相关日志进行记录以及实时分析有助于我们更好的观察和监控ETL系统的相关指标(如单位时间某些操作的处理时间),发现系统中出现的缺陷和性能瓶颈. 由于需要对日志进行实时分析,所以Storm是我们想到的首个框架.Storm是一个分布式实时计算系统,它可以很好的处理流式数据.利用storm我们几乎可以直接实现一个日志分析系统,但是将日志分析系统进行模块化设计可以收到更好的效果.模块化的设计至少有两方面的优点: 模块化设计可以使功能更加清晰.整个日志分析系统可以分

SOA架构设计的案例分析

SOA为面向服务架构,它将应用程序的不同功能单元(称为服务)进行拆分,并通过这些服务之间定义良好的接口和契约联系起来.一个服务通常以独立的形式存在与操作系统进程中.各个服务之间通过网络调用.微服务是在 SOA 上做的升华,强调的一个重点是“业务需要彻底的组件化和服务化”,原有的单个业务系统会拆分为多个可以独立开发.设计.运行的小应用.这些小应用之间通过服务完成交互和集成.微服务架构 = 80%的SOA服务架构思想 + 100%的组件化架构思想 + 80%的领域建模思想. SOA架构的特点为:系统

架构设计案例分析-高速公路收费运营管理平台

本文旨在通过对某省高速公路联网收费运营管理平台的架构设计过程进行案例分析,描述架构设计的决策过程. 1.业务背景 某省的高速公路分为近百个路段,不同的路段归属不同的公司建设与运营,造成了车辆在跨越不同路段时,需要停经收费站缴费换卡,降低了高速公路的车辆通行效率. 随着信息化技术的发展,将全省的高速公路联网收费的条件成熟,改造后车辆在高速公路上行驶,在出发地上高速时领卡,到目的地出高速时全程只需缴费一次.随着信息化推进,未来车辆在全国范围内高速公路通行,均只需缴费一次. 为了适应全省联网收费系统改

架构设计:负载均衡层设计方案之负载均衡技术总结篇

前言 1.概述 通过前面文章的介绍,并不能覆盖负载均衡层的所有技术,但是可以作为一个引子,告诉各位读者一个学习和使用负载均衡技术的思路.虽然后面我们将转向"业务层"和"业务通信"层的介绍,但是对负载均衡层的介绍也不会停止.在后续的时间我们将穿插进行负载均衡层的新文章的发布,包括Nginx技术的再介绍.HaProxy.LVS新的使用场景等等. 这篇文章我们对前面的知识点进行总结,并有意进行一些扩展,以便于各位读者找到新的学习思路. 2.负载均衡层的核心思想 2-1.一

软件系统的架构设计

软件系统架构(Software Architecture)是关于软件系统的结构.行为.属性.组成要素及其之间交互关系的高级抽象.任何软件开发项目,都会经历需求获取.系统分析.系统设计.编码研发.系统运维等常规阶段,软件系统架构设计就位于系统分析和系统设计之间.做好软件系统架构,可以为软件系统提供稳定可靠的体系结构支撑平台,还可以支持最大粒度的软件复用,降低开发运维成本.如何做好软件系统的架构设计呢?笔者就这一问题做如下探讨分析. 软件系统架构设计方法步骤 基于体系架构的软件设计模型把软件过程划分