Spring源码分析八:Mybatis ORM映射框架原理

(一)Mybatis单独操作数据库程序

1.1、数据库表

CREATE TABLE `student` (
  `number` int(11) NOT NULL AUTO_INCREMENT COMMENT '学号',
  `name` varchar(5) DEFAULT NULL COMMENT '姓名',
  `major` varchar(30) DEFAULT NULL COMMENT '专业',
  PRIMARY KEY (`number`)
) ENGINE=InnoDB AUTO_INCREMENT=20180104 DEFAULT CHARSET=utf8 COMMENT='学生信息表';

1.2、建立PO

public class Student {
    private Integer number;
    private String name;
    private String major;
    //省略set和get方法以及构造函数
}

1.3、建立mapper接口映射

public interface StudentMybatisMapper {
    void insertStudent(Student student);
    Student getStudent(Integer number);
}

1.4、建立Mybatis配置文件

<?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>
    <!-- mybatis环境配置 -->
    <settings>
        <!-- 开启自动驼峰命名规则(camel case)映射 -->
        <setting name="mapUnderscoreToCamelCase" value="true"/>
        <!-- 开启延迟加载开关 -->
        <setting name="lazyLoadingEnabled" value="true"/>
        <!-- 将积极加载改为消极加载(即按需加载),默认值就是false -->
        <setting name="aggressiveLazyLoading" value="false"/>
        <!-- 打开全局缓存开关(二级环境),默认值是true -->
        <setting name="cacheEnabled" value="false"/>
        <setting name="defaultExecutorType" value="REUSE" />
    </settings>
    <!-- 配置返回实体参数别名 -->
    <typeAliases>
        <typeAlias type="com.spring.model.Student" alias="Student"/>
    </typeAliases>
    <!-- 数据源配置 -->
    <environments default="development">
        <environment id="development">
            <!-- 使用JDBC事务管理 -->
            <transactionManager type="JDBC"/>
            <!-- 数据库连接池 -->
            <dataSource type="POOLED">
                <property name="driver" value="com.mysql.jdbc.Driver"/>
                <property name="url" value="jdbc:mysql://localhost:3306/test"/>
                <property name="username" value="root"/>
                <property name="password" value="root"/>
            </dataSource>
        </environment>
    </environments>
    <!-- mapper映射文件导入 -->
    <mappers>
        <mapper resource="config/mapper/StudentMapper.xml"></mapper>
    </mappers>
</configuration>

1.5、建立mapper映射文件

<?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接口 -->
<mapper namespace="com.spring.mapper.StudentMybatisMapper">

    <!-- id与mapper接口中方法名对应  parameterType是参数类型-->
    <insert id="insertStudent" parameterType="Student">
      insert into student (name,major) values (#{name},#{major});
    </insert>
    
    <!-- resultType是返回参数类型,正常为全限定类名,mybatis全局设置了别名,所以该处可以直接写别名 -->
    <select id="getStudent" parameterType="java.lang.Integer" resultType="Student">
      select * from student where number = #{number}
    </select>
</mapper>

1.6、测试类

public static void main(String[] args) {
    Reader reader = null;
    try {
        reader = Resources.getResourceAsReader("config/spring-mybatis.xml");
    } catch (IOException e) {
        e.printStackTrace();
    }
    SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(reader);//构建SQLSessionFactory
    SqlSession sqlSession = sqlSessionFactory.openSession(true);//创建SQLSession
    StudentMybatisMapper mapper = sqlSession.getMapper(StudentMybatisMapper.class);//获取连接映射
    Student student = new Student("王五","摄影专业");
    mapper.insertStudent(student);//调用保存方法
    Student result = mapper.getStudent(20180102);//调用查询方法
    System.out.println(result);//输出查询结果
    sqlSession.close();//关闭连接
}

输出结果:

Student{number=20180102, name='范统', major='计算机科学与工程'}

1.7、Mybatis编写程序小结

  • (1)创建数据库表;
  • (2)建立java实体PO;
  • (3)Mapper业务接口定义;
  • (4)编写mapper文件映射;
  • (5)mybatis配置数据源、执行环境参数、别名、mapper文件引入;
  • (6)创建SqlSessionFactory、SqlSession和获取数据库连接,集成到spring中时会自动执行,不需要手动去编写。

(二)Spring中集成mybatis操作数据库程序

2.1、编写spring配置文件

applicationContext.xml配置文件中仅配置了数据源、业务bean的封装便于使用直接从getBean中获取,正常开发时只需要使用spring的常规注解即可获取,配置文件如下:

<?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" default-autowire="byName">
	<!-- 配置数据源-->
	<bean id="dataSource" class="org.apache.commons.dbcp2.BasicDataSource" destroy-method="close">
		<property name="driverClassName" value="com.mysql.jdbc.Driver" />
		<property name="url" value="jdbc:mysql://localhost:3306/test" />
		<property name="username" value="root" />
		<property name="password" value="root" />
		<property name="maxIdle" value="30" />
		<property name="defaultAutoCommit" value="true" />
		<property name="removeAbandonedTimeout" value="60" />
	</bean>
	<!-- 配置sqlSessionFactory -->
	<bean id="sqlSessionFactory" class="org.mybatis.spring.SqlSessionFactoryBean">
		<property name="configLocation" value="classpath:config/spring-mybatis.xml" />
		<property name="dataSource" ref="dataSource"/>
	</bean>

	<!--配置业务bean并在spring中映射mapper-->
	<bean id="studentMapper" class="org.mybatis.spring.mapper.MapperFactoryBean">
		<property name="mapperInterface" value="com.spring.mapper.StudentMybatisMapper" />
		<property name="sqlSessionFactory" ref="sqlSessionFactory" />
	</bean>
</beans>

2.2、mybatis全局策略配置文件

<?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>
    <!-- mybatis环境配置 -->
    <settings>
        <!-- 开启自动驼峰命名规则(camel case)映射 -->
        <setting name="mapUnderscoreToCamelCase" value="true"/>
        <!-- 开启延迟加载开关 -->
        <setting name="lazyLoadingEnabled" value="true"/>
        <!-- 将积极加载改为消极加载(即按需加载),默认值就是false -->
        <setting name="aggressiveLazyLoading" value="false"/>
        <!-- 打开全局缓存开关(二级环境),默认值是true -->
        <setting name="cacheEnabled" value="false"/>
        <setting name="defaultExecutorType" value="REUSE" />
    </settings>

    <!-- 配置返回实体参数别名 -->
    <typeAliases>
        <typeAlias type="com.spring.model.Student" alias="Student"/>
    </typeAliases>
    <!-- 该mapper文件引入可以单独引入,也可批量引入 -->
    <mappers>
        <mapper resource="config/mapper/StudentMapper.xml"></mapper>
    </mappers>
</configuration>

2.3、建立mapper映射文件(与单独使用mybatis一致)

<?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接口 -->
<mapper namespace="com.spring.mapper.StudentMybatisMapper">

    <!-- id与mapper接口中方法名对应  parameterType是参数类型-->
    <insert id="insertStudent" parameterType="Student">
      insert into student (name,major) values (#{name},#{major});
    </insert>
    
    <!-- resultType是返回参数类型,正常为全限定类名,mybatis全局设置了别名,所以该处可以直接写别名 -->
    <select id="getStudent" parameterType="java.lang.Integer" resultType="Student">
      select * from student where number = #{number}
    </select>
</mapper>

2.4、建立mapper接口映射(与单独使用mybatis一致)

public interface StudentMybatisMapper {
    void insertStudent(Student student);
    Student getStudent(Integer number);
}

2.5、测试类

public static void main(String[] args) {
    ApplicationContext applicationContext = new ClassPathXmlApplicationContext("config/applicationContext.xml");//spring容器加载bean
    StudentMybatisMapper mapper = applicationContext.getBean("studentMapper",StudentMybatisMapper.class);//获取连接映射
    Student student = new Student("赵升","摄影专业");
    mapper.insertStudent(student);//调用保存方法
    Student result = mapper.getStudent(20180103);//调用查询方法
    System.out.println(result);
}

输出结果:

Student{number=20180103, name='史珍香', major='计算机科学与工程'}

2.6、独立与集成在spring中的mybatis小结

  • (1)独立使用mybatis时配置数据源是在自己的spring-mybatis.xml中,spring则是将数据源放入容器配置文件中并注入到bean中;
  • (2)spring中mybatis统一交由容器来管理,获得数据库连接直接从容器中获取,不需要自己手动去获取SqlSessionFactory、SqlSession等,避免了大量的创建、销毁过程和冗余代码;
  • (3)spring中可以直接舍弃调spring-mybatis.xml,在spring中可以sqlSessionFactory的bean中将其它属性也注入即可,比单独使用更简便。

(三)mybatis源码分析(集成于spring)

3.1、SqlSessionFactoryBean配置SqlSessionFactory类型bean

<!-- 配置sqlSessionFactory -->
<bean id="sqlSessionFactory" class="org.mybatis.spring.SqlSessionFactoryBean">
	<property name="configLocation" value="classpath:config/spring-mybatis.xml" />
    <property name="dataSource" ref="dataSource"/>
</bean>

Spring中配置sqlSessionFactory是通过org.mybatis.spring.SqlSessionFactoryBean来实现,所以关键点是SqlSessionFactoryBean封装了Mybatis的功能,接下来将对SqlSessionFactoryBean进行重点分析。

3.1.1、SqlSessionFactoryBean层级图

SqlSessionFactoryBean层级图

值得一提的是FactoryBeanInitializingBean接口类。

  • (1)FactoryBean:该接口在spring源码分析中多次使用,主要作用是实际业务bean实现该接口后,当使用getBean来获取bean时实际上是getObject方法返回bean实例的。
  • (2)InitializingBean:实现该接口会到bean初始化时调用afterPropertiesSet方法来执行自定义逻辑。

3.1.2、SqlSessionFactoryBean初始化(InitializingBean接口)

SqlSessionFactoryBean初始化即InitializingBean接口中定义的afterPropertiesSet方法,即SqlSessionFactoryBean实现了该方法,具体核心点集中在buildSqlSessionFactory(),具体逻辑如下:

public void afterPropertiesSet() throws Exception {
    //验证dataSource、sqlSessionFactoryBuilder和configuration是否已被赋值
    notNull(dataSource, "Property 'dataSource' is required");
    notNull(sqlSessionFactoryBuilder, "Property 'sqlSessionFactoryBuilder' is required");
    state((configuration == null && configLocation == null) || !(configuration != null && configLocation != null),
        "Property 'configuration' and 'configLocation' can not specified with together");
    this.sqlSessionFactory = buildSqlSessionFactory();//创建sqlSessionFactory(核心)
  }

上述代码其实主要就是验证dataSource、sqlSessionFactoryBuilder和configuration是否已被赋值,紧接着在赋值的前提下进行sqlSessionFactory的初始化,接下来讲具体分析sqlSessionFactory如何被初始化的逻辑,如下:

  protected SqlSessionFactory buildSqlSessionFactory() throws Exception {
    final Configuration targetConfiguration;
    XMLConfigBuilder xmlConfigBuilder = null;
    if (this.configuration != null) {//configuration属性配置
      targetConfiguration = this.configuration;
      if (targetConfiguration.getVariables() == null) {
        targetConfiguration.setVariables(this.configurationProperties);
      } else if (this.configurationProperties != null) {
        targetConfiguration.getVariables().putAll(this.configurationProperties);
      }
    } else if (this.configLocation != null) {//被清空时其他地方调用执行时第二次补救措施XMLConfigBuilder来创建Configuration
      xmlConfigBuilder = new XMLConfigBuilder(this.configLocation.getInputStream(), null, this.configurationProperties);
      targetConfiguration = xmlConfigBuilder.getConfiguration();
    } else {
      LOGGER.debug(
          () -> "Property 'configuration' or 'configLocation' not specified, using default MyBatis Configuration");
      targetConfiguration = new Configuration();
      Optional.ofNullable(this.configurationProperties).ifPresent(targetConfiguration::setVariables);
    }

    Optional.ofNullable(this.objectFactory).ifPresent(targetConfiguration::setObjectFactory);
    Optional.ofNullable(this.objectWrapperFactory).ifPresent(targetConfiguration::setObjectWrapperFactory);
    Optional.ofNullable(this.vfs).ifPresent(targetConfiguration::setVfsImpl);

    if (hasLength(this.typeAliasesPackage)) {//typeAliasesPackage包属性配置
      scanClasses(this.typeAliasesPackage, this.typeAliasesSuperType).stream()
          .filter(clazz -> !clazz.isAnonymousClass()).filter(clazz -> !clazz.isInterface())
          .filter(clazz -> !clazz.isMemberClass()).forEach(targetConfiguration.getTypeAliasRegistry()::registerAlias);//过滤得到指定包下的别名
    }

    if (!isEmpty(this.typeAliases)) {//typeAliases别名属性设置
      Stream.of(this.typeAliases).forEach(typeAlias -> {
        targetConfiguration.getTypeAliasRegistry().registerAlias(typeAlias);//注册别名
        LOGGER.debug(() -> "Registered type alias: '" + typeAlias + "'");
      });
    }

    if (!isEmpty(this.plugins)) {//插件属性plugins
      Stream.of(this.plugins).forEach(plugin -> {
        targetConfiguration.addInterceptor(plugin);
        LOGGER.debug(() -> "Registered plugin: '" + plugin + "'");
      });
    }

    if (hasLength(this.typeHandlersPackage)) {//typeHandlersPackage包处理器类型
      scanClasses(this.typeHandlersPackage, TypeHandler.class).stream().filter(clazz -> !clazz.isAnonymousClass())
          .filter(clazz -> !clazz.isInterface()).filter(clazz -> !Modifier.isAbstract(clazz.getModifiers()))
          .filter(clazz -> ClassUtils.getConstructorIfAvailable(clazz) != null)
          .forEach(targetConfiguration.getTypeHandlerRegistry()::register);//注册类型处理器
    }

    if (!isEmpty(this.typeHandlers)) {//typeHandlers类型处理器
      Stream.of(this.typeHandlers).forEach(typeHandler -> {
        targetConfiguration.getTypeHandlerRegistry().register(typeHandler);
        LOGGER.debug(() -> "Registered type handler: '" + typeHandler + "'");
      });
    }

    if (!isEmpty(this.scriptingLanguageDrivers)) {//scriptingLanguageDrivers属性设置
      Stream.of(this.scriptingLanguageDrivers).forEach(languageDriver -> {
        targetConfiguration.getLanguageRegistry().register(languageDriver);
        LOGGER.debug(() -> "Registered scripting language driver: '" + languageDriver + "'");
      });
    }
    Optional.ofNullable(this.defaultScriptingLanguageDriver)
        .ifPresent(targetConfiguration::setDefaultScriptingLanguage);

    if (this.databaseIdProvider != null) {// fix #64 set databaseId before parse mapper xmls
      try {
        targetConfiguration.setDatabaseId(this.databaseIdProvider.getDatabaseId(this.dataSource));
      } catch (SQLException e) {
        throw new NestedIOException("Failed getting a databaseId", e);
      }
    }

    Optional.ofNullable(this.cache).ifPresent(targetConfiguration::addCache);

    if (xmlConfigBuilder != null) {
      try {
        xmlConfigBuilder.parse();//configuration解析
        LOGGER.debug(() -> "Parsed configuration file: '" + this.configLocation + "'");
      } catch (Exception ex) {
        throw new NestedIOException("Failed to parse config resource: " + this.configLocation, ex);
      } finally {
        ErrorContext.instance().reset();
      }
    }

    targetConfiguration.setEnvironment(new Environment(this.environment,
        this.transactionFactory == null ? new SpringManagedTransactionFactory() : this.transactionFactory,
        this.dataSource));

    if (this.mapperLocations != null) {//mapperLocations批量映射文件属性处理
      if (this.mapperLocations.length == 0) {
        LOGGER.warn(() -> "Property 'mapperLocations' was specified but matching resources are not found.");
      } else {
        for (Resource mapperLocation : this.mapperLocations) {//批量配置时通过循环处理映射文件
          if (mapperLocation == null) {
            continue;
          }
          try {
            XMLMapperBuilder xmlMapperBuilder = new XMLMapperBuilder(mapperLocation.getInputStream(),
                targetConfiguration, mapperLocation.toString(), targetConfiguration.getSqlFragments());
            xmlMapperBuilder.parse();
          } catch (Exception e) {
            throw new NestedIOException("Failed to parse mapping resource: '" + mapperLocation + "'", e);
          } finally {
            ErrorContext.instance().reset();
          }
          LOGGER.debug(() -> "Parsed mapper file: '" + mapperLocation + "'");
        }
      }
    } else {
      LOGGER.debug(() -> "Property 'mapperLocations' was not specified.");
    }
    return this.sqlSessionFactoryBuilder.build(targetConfiguration);
  }

通过对sqlSessionFactory的初始化逻辑中可以看出,实际上就是对sqlSessionFactory配置里面的属性进行解析处理,在mybatis中的配置属性全部都可以使用spring来配置,只需要在配置sqlSessionFactory这个bean的时候将属性配置进去即可。
去掉mybatis配置,改由spring配置sqlSessionFactory时使用其属性配置如下:

<bean id="sqlSessionFactory" class="org.mybatis.spring.SqlSessionFactoryBean">
    <property name="dataSource" ref="dataSource"/>
	<property name="mapperLocations" value="com/spring/service" />
    <property name="cache" value="true"/>
    等等属性配置....
</bean>

3.1.3、获取SqlSessionFactoryBean实例(FactoryBean接口)

SqlSessionFactoryBean的实例,实际上是因为其实现了FactoryBean接口,所以当使用getBean时返回的是getObject方法产生的实例,具体如下:

public SqlSessionFactory getObject() throws Exception {
    if (this.sqlSessionFactory == null) {
        afterPropertiesSet();
    }
    return this.sqlSessionFactory;
}

3.2、MapperFactoryBean配置业务类型bean

单独使用mybatis获取连接映射:

SqlSession sqlSession = sqlSessionFactory.openSession(true);//创建SQLSession
StudentMybatisMapper mapper = sqlSession.getMapper(StudentMybatisMapper.class);//获取连接映射

集成在spring中使用mybatis获取连接映射:

//获取连接映射
 StudentMybatisMapper mapper = applicationContext.getBean("userMapper",StudentMybatisMapper.class);

从上述两处可知,

  1. 单独使用mybatis时,主要是通过sqlSession的getMapper来获取数据库接口连接映射,在这个过程中动态创建了代理类;
  2. 集成在spring中的mybatis时,主要使用applicationContext容器中的getBean方法获取bean,因StudentMybatisMapper是一个接口,也是使用了原生的mybatis的getMapper进行封装。
    所以无论单独使用mybatis,还是集成在spring中使用,归根结底都是在MapperFactorBean类中实现连接映射。

3.2.1、MapperFactoryBean层级图

MapperFactoryBean层级图

MapperFactoryBean中也是使用两个重要的InitializingBean和FactoryBean接口类,其中核心的接口afterPropertiesSet和getObject,其主要接口作用在SqlSessionFactoryBean中已有介绍,此处不再赘述。

3.2.2、MapperFactoryBean初始化(InitializingBean接口)

MapperFactoryBean初始化流程图如下:
MapperFactoryBean初始化流程图

spring在初始化时会先调用InitializingBean类中的接口afterPropertiesSet来完成初始化逻辑,该初始化方法是由DaoSupport类来实现,经过源码跟踪如下,其主要逻辑是MapperFactoryBean子类实现checkDaoConfig方法和开放性设计initDao空实现,下面继续分析重点方法checkDaoConfig接口逻辑。

public final void afterPropertiesSet() throws IllegalArgumentException, BeanInitializationException {
		//MapperFactoryBean是DaoSupport的子类,由其实现初始化逻辑(模板设计模式)
		checkDaoConfig();
		try {
            //其方法内部是空实现,主要留给子类开放性设计(模板设计模式)
			initDao();
		} catch (Exception ex) {
			throw new BeanInitializationException("Initialization of DAO failed", ex);
		}
	}

从上面DaoSupport中的afterPropertiesSet可知,主要逻辑是checkDaoConfig中,但该方法是一个抽象类方法,是由子类来实现(模板设计模式),根据层级图可知就是MapperFactoryBean来实现的,所以初始化方法主要集中在MapperFactoryBean中

protected void checkDaoConfig() {
    //SqlSessionDaoSupport是MapperFactoryBean直属父类,主要是检查sqlSessionTemplate是否有值
    super.checkDaoConfig();
    //检查MapperFactoryBean配置的业务mapper的bean是否有配置mapperInterface属性即mapper接口
    notNull(this.mapperInterface, "Property 'mapperInterface' is required");
    Configuration configuration = getSqlSession().getConfiguration();//mybatis配置对象
    if (this.addToConfig && !configuration.hasMapper(this.mapperInterface)) {
      try {
        configuration.addMapper(this.mapperInterface);//将该接口注册到映射类型
      } catch (Exception e) {
        logger.error("Error while adding the mapper '" + this.mapperInterface + "' to configuration.", e);
        throw new IllegalArgumentException(e);
      } finally {
        ErrorContext.instance().reset();
      }
    }
  }

MapperFactoryBean中的checkDaoConfig方法中存在super.checkDaoConfig();其是调用直属父类SqlSessionDaoSupport中的checkDaoConfig方法,验证sqlSessionTemplate必须有值,用于定义连接映射的mapper接口,是要创建代理类,所以不能为空,否则将报错。

protected void checkDaoConfig() {
    //验证sqlSessionTemplate是否有值,该值是创建接口代理类,一定不能为空
    notNull(this.sqlSessionTemplate, "Property 'sqlSessionFactory' or 'sqlSessionTemplate' are required");
}

sqlSessionTemplate这个属性是SqlSessionTemplate类的实例,包含了下面几个重要属性:

public class SqlSessionTemplate implements SqlSession, DisposableBean {

  private final SqlSessionFactory sqlSessionFactory;//创建SqlSession会话的工厂类即spring中配置sqlSessionFactory属性或引用值
  private final ExecutorType executorType;//执行类型
  private final SqlSession sqlSessionProxy;//熟悉的sqlSession,获取接口映射
  private final PersistenceExceptionTranslator exceptionTranslator;
  //SqlSessionTemplate构造方法,注入属性
  public SqlSessionTemplate(SqlSessionFactory sqlSessionFactory) {
    this(sqlSessionFactory, sqlSessionFactory.getConfiguration().getDefaultExecutorType());
  }

  public SqlSessionTemplate(SqlSessionFactory sqlSessionFactory, ExecutorType executorType) {
    this(sqlSessionFactory, executorType,
        new MyBatisExceptionTranslator(sqlSessionFactory.getConfiguration().getEnvironment().getDataSource(), true));
  }

  public SqlSessionTemplate(SqlSessionFactory sqlSessionFactory, ExecutorType executorType,
      PersistenceExceptionTranslator exceptionTranslator) {
    //引用sqlSessionFactory属性创建业务mapper的bean,必须强验证
    notNull(sqlSessionFactory, "Property 'sqlSessionFactory' is required");
    notNull(executorType, "Property 'executorType' is required");
    this.sqlSessionFactory = sqlSessionFactory;
    this.executorType = executorType;
    this.exceptionTranslator = exceptionTranslator;
    this.sqlSessionProxy = (SqlSession) newProxyInstance(SqlSessionFactory.class.getClassLoader(),
        new Class[] { SqlSession.class }, new SqlSessionInterceptor());
  }
....省略其他方法
}

SqlSessionFactory类型的bean配置时会被赋值,在MapperFactoryBean配置业务bean时会引用sqlSessionFactory类型的bean,如Spring中的配置studentMapper Bean时引用的sqlSessionFactory Bean会触发上面SqlSessionTemplate构造方法。

<!--配置业务bean并在spring中映射mapper-->
<bean id="studentMapper" class="org.mybatis.spring.mapper.MapperFactoryBean">
	<property name="mapperInterface" value="com.spring.mapper.StudentMybatisMapper" />
    <property name="sqlSessionFactory" ref="sqlSessionFactory" />
 </bean>

3.2.3、MapperFactoryBean获取实例(FactroyBean接口)

MapperFactoryBean实现了FactoryBean接口,在spring中可以通过getBean方法获取该bean,实际上是从getObject方法中获得的实例,这段代码其实在单独使用mybatis时也有,spring只是对其进行封装,未做其他变化。

public T getObject() throws Exception {
    return getSqlSession().getMapper(this.mapperInterface);
}

3.3、MapperScannerConfigurer批量配置映射器

单个映射器可以使用MapperFactoryBean去逐个配置,当遇到系统需要很多映射器的时候,不能傻瓜式的一个一个的配置,为了解决配置大量的映射器,MapperScannerConfigurer就是使用包属性来指定路径进行扫描进行批量映射器配置,如按照下面配置即对com.spring.mapper包下的所有mapper接口,多个包扫描时,使用逗号或分号进行隔开,被扫描到接口在spring中会采用默认的命名策略来命名。

  1. 如果没有注解,则采用非大写的非完全限定类名命名;
  2. 如果存在@Component或@Named注解,则使用其注解内的名称或默认bean的方式命名。
<!-- 批量配置映射器-->
<bean class="org.mybatis.spring.mapper.MapperScannerConfigurer">
    <property name="basePackage" value="com.spring.mapper"/>
</bean>

3.3.1、MapperScannerConfigurer层级图

MapperScannerConfigurer层级图

通过MapperScannerConfigurer层级图可以看出,比较重要的三个接口分别为:InitializingBean接口BeanFactoryPostProcessor接口BeanDefinitionRegistryPostProcessor接口

(1)InitializingBean接口

InitializingBean接口中的初始化属性afterPropertiesSet校验方法:委托给MapperScannerConfigurer类实现该方法,校验如下

 public void afterPropertiesSet() throws Exception {
    notNull(this.basePackage, "Property 'basePackage' is required");//仅仅校验了basePackage包属性必须存在
 }
(2)BeanFactoryPostProcessor接口

spring经典的后置处理器postProcessBeanFactory处理容器中的bean,此处是空实现,意义是开放性设计,给用户开一个自定义口子;

 public void postProcessBeanFactory(ConfigurableListableBeanFactory beanFactory) {
    //仅仅一个空实现,开放性设计
 }
(3)BeanDefinitionRegistryPostProcessor接口

MapperScannerConfigurer初始化流程图如下:
MapperScannerConfigurer初始化流程图

MapperScannerConfigurer在InitializingBean接口(afterPropertiesSet方法)BeanFactoryPostProcessor接口 (postProcessBeanFactory方法)都没有发现到核心处理逻辑,剩下最后一个核心接口BeanDefinitionRegistryPostProcessor,其内果然有干活在,postProcessBeanDefinitionRegistry方法核心代码如下:

 public void postProcessBeanDefinitionRegistry(BeanDefinitionRegistry registry) {
    //控制是否进行属性占位符替换即包属性值是否包含${}
    if (this.processPropertyPlaceHolders) {
      processPropertyPlaceHolders();//属性占位符替换
    }
    //设置配置属性
    ClassPathMapperScanner scanner = new ClassPathMapperScanner(registry);
    scanner.setAddToConfig(this.addToConfig);
    scanner.setAnnotationClass(this.annotationClass);
    scanner.setMarkerInterface(this.markerInterface);
    scanner.setSqlSessionFactory(this.sqlSessionFactory);
    scanner.setSqlSessionTemplate(this.sqlSessionTemplate);
    scanner.setSqlSessionFactoryBeanName(this.sqlSessionFactoryBeanName);
    scanner.setSqlSessionTemplateBeanName(this.sqlSessionTemplateBeanName);
    scanner.setResourceLoader(this.applicationContext);
    scanner.setBeanNameGenerator(this.nameGenerator);
    scanner.setMapperFactoryBeanClass(this.mapperFactoryBeanClass);
    if (StringUtils.hasText(lazyInitialization)) {
      scanner.setLazyInitialization(Boolean.valueOf(lazyInitialization));
    }
    //注册过滤器
    scanner.registerFilters();
    //扫描java文件
    scanner.scan(
        StringUtils.tokenizeToStringArray(this.basePackage, ConfigurableApplicationContext.CONFIG_LOCATION_DELIMITERS));
  }

3.3.2、processPropertyPlaceHolders属性

processPropertyPlaceHolders属性默认值为false,当配置basePackage属性值为占位符${}时,该值为true,主要进行属性占位符替换并创建一个内部工厂,仅包含扫描的映射器并对该工厂进行后置处理,核心逻辑和代码如下:

核心逻辑:

  1. 找到所有已经注册到spring容器中的PropertyResourceConfigurer类型的bean;
  2. 创建一个beanFactory,DefaultListableBeanFactory factory = new DefaultListableBeanFactory();来模拟spring容器(后置处理器完成时将清除)进行映射,MapperScannerConfigurer进行扫描bean注册到新环境中,通过PropertyPlaceholderConfigurer后置处理器调用完成后即可完成占位符的替换basePackage、sqlSessionFactory、sqlSessionTemplate和lazyInitialization等属性;

核心代码:

 private void processPropertyPlaceHolders() {
     //从容器中获取PropertyResourceConfigurer类型
    Map<String, PropertyResourceConfigurer> prcs = applicationContext.getBeansOfType(PropertyResourceConfigurer.class);
     //容器检查
    if (!prcs.isEmpty() && applicationContext instanceof ConfigurableApplicationContext) {
      BeanDefinition mapperScannerBean = ((ConfigurableApplicationContext) applicationContext).getBeanFactory().getBeanDefinition(beanName);
      /**
       * PropertyResourceConfigurer 未显式执行属性占位符替换。 
       * 相反,创建一个仅包含此映射器扫描仪的 BeanFactory 并对工厂进行后置处理。
       */
      DefaultListableBeanFactory factory = new DefaultListableBeanFactory();
      factory.registerBeanDefinition(beanName, mapperScannerBean);//将该批量扫描器注册到新创建的beanFactory
      //对每个PropertyResourceConfigurer类型的进行注册后置处理器postProcessBeanFactory
      for (PropertyResourceConfigurer prc : prcs.values()) {
        prc.postProcessBeanFactory(factory);//注册后置处理器
      }
      PropertyValues values = mapperScannerBean.getPropertyValues();//批量配置器的属性值
      this.basePackage = updatePropertyValue("basePackage", values);//更新属性占位符后的包属性值
      this.sqlSessionFactoryBeanName = updatePropertyValue("sqlSessionFactoryBeanName", values);//更新sqlSessionFactory
      this.sqlSessionTemplateBeanName = updatePropertyValue("sqlSessionTemplateBeanName", values);//更新sqlSessionTemplate
      this.lazyInitialization = updatePropertyValue("lazyInitialization", values);//更新lazyInitialization
    }
    //对basePackage、sqlSessionFactory、sqlSessionTemplate、lazyInitialization空处理和环境设置
    this.basePackage = Optional.ofNullable(this.basePackage).map(getEnvironment()::resolvePlaceholders).orElse(null);
    this.sqlSessionFactoryBeanName = Optional.ofNullable(this.sqlSessionFactoryBeanName)
        .map(getEnvironment()::resolvePlaceholders).orElse(null);
    this.sqlSessionTemplateBeanName = Optional.ofNullable(this.sqlSessionTemplateBeanName)
        .map(getEnvironment()::resolvePlaceholders).orElse(null);
    this.lazyInitialization = Optional.ofNullable(this.lazyInitialization).map(getEnvironment()::resolvePlaceholders)
        .orElse(null);
  }

3.3.3、根据配置生成过滤器

在postProcessBeanDefinitionRegistry方法中,很多属性的设置如addToConfig、annotationClass、markerInterface、sqlSessionFactory、sqlSessionTemplate等约定配置,通过配置来实现属性设值,但是对扫描结果造成影响的是scanner.registerFilters();这行代码——生成过滤器。

核心过滤器规则:

  • (1)annotationClass属性处理:使用AnnotationTypeFilter过滤器封装annotationClass属性,在扫描对应java文件时只处理标记有注解为annotationClass的mapper接口
  • (2)markerInterface属性处理:使用AssignableTypeFilter过滤器封装markerInterface属性,在扫描过程中只处理实现了markerInterface接口的mapper接口
  • (3)全局默认处理:当上述(1)、(2)两种其中一个存在配置时将会改变acceptAllInterfaces该值,将不执行全局默认扫描过滤配置,否则将使用默认扫描所有类的过滤策略;
  • (4)排除package-info结尾的文件。

核心过滤器代码:

  public void registerFilters() {
    boolean acceptAllInterfaces = true;
    //对annotationClass属性过滤
    if (this.annotationClass != null) {
      addIncludeFilter(new AnnotationTypeFilter(this.annotationClass));
      acceptAllInterfaces = false;
    }
    //对markerInterface属性过滤
    if (this.markerInterface != null) {
      addIncludeFilter(new AssignableTypeFilter(this.markerInterface) {
        @Override
        protected boolean matchClassName(String className) {
          return false;
        }
      });
      acceptAllInterfaces = false;
    }
    //acceptAllInterfaces 基于上述两种过滤属性任一处理后都讲改变该值
    if (acceptAllInterfaces) {
      //全局默认过滤器,默认扫描所有类
      addIncludeFilter((metadataReader, metadataReaderFactory) -> true);
    }
    //排除package-info结尾的文件
    addExcludeFilter((metadataReader, metadataReaderFactory) -> {
      String className = metadataReader.getClassMetadata().getClassName();
      return className.endsWith("package-info");
    });
  }

3.3.4、扫描java文件

在经过文件占位符替换、各种属性设置、生成过滤器等操作后,剩下最后的一步扫描java文件,扫描工作由 ClassPathMapperScanner scanner = new ClassPathMapperScanner(registry);中的scanner实例来扫描即scan方法具体实现。
scan方法核心逻辑:

  • (1)扫描java文件工作委托于doScan方法去完成;
  • (2)对includeAnnotationConfig属性处理,是否开启注解处理器,如ConfigurationClassPostProcessor、AutowiredAnnotationBeanPostProcessor、RequiredAnnotationBeanPostProcessor等。
public int scan(String... basePackages) {
	int beanCountAtScanStart = this.registry.getBeanDefinitionCount();
       //扫描java文件委托给doScan
	doScan(basePackages);
	// includeAnnotationConfig属性设置,是否开启注解处理器
	if (this.includeAnnotationConfig) {
		AnnotationConfigUtils.registerAnnotationConfigProcessors(this.registry);//注册注解处理器
	}
	return this.registry.getBeanDefinitionCount() - beanCountAtScanStart;
}

spring风格模式,干活的永远是doXXX,正如扫描java文件,由ClassPathMapperScanner子类负责将扫描细节都封装到doScan里,并且部分逻辑封装到ClassPathMapperScanner类的父类ClassPathBeanDefinitionScanner(模板模式)中去执行,然后紧接着使用processBeanDefinitions方法去批量生成MapperFactoryBean类型的bean。

public Set<BeanDefinitionHolder> doScan(String... basePackages) {
    //调用父类ClassPathBeanDefinitionScanner类中的doScan,一些通用的被封装到上层类中
    Set<BeanDefinitionHolder> beanDefinitions = super.doScan(basePackages);
    if (beanDefinitions.isEmpty()) {
      //没有扫描到文件则输出警告信息
      LOGGER.warn(() -> "No MyBatis mapper was found in '" + Arrays.toString(basePackages)
          + "' package. Please check your configuration.");
    } else {
      processBeanDefinitions(beanDefinitions);//生成Mapper映射的bean
    }
    return beanDefinitions;
  }
//批量生成MapperFactoryBean类型的bean
 private void processBeanDefinitions(Set<BeanDefinitionHolder> beanDefinitions) {
    GenericBeanDefinition definition;
    //BeanDefinition的遍历处理即开始构造MapperFactoryBean类型的bean 
    for (BeanDefinitionHolder holder : beanDefinitions) {
      definition = (GenericBeanDefinition) holder.getBeanDefinition();
      String beanClassName = definition.getBeanClassName();
      LOGGER.debug(() -> "Creating MapperFactoryBean with name '" + holder.getBeanName() + "' and '" + beanClassName
          + "' mapperInterface");

      //mapper接口的处理即mapperInterface功能
      definition.getConstructorArgumentValues().addGenericArgumentValue(beanClassName); // issue #59
      definition.setBeanClass(this.mapperFactoryBeanClass);
      //addToConfig功能处理
      definition.getPropertyValues().add("addToConfig", this.addToConfig);
      boolean explicitFactoryUsed = false;
      //sqlSessionFactory配置
      if (StringUtils.hasText(this.sqlSessionFactoryBeanName)) {
        definition.getPropertyValues().add("sqlSessionFactory",
            new RuntimeBeanReference(this.sqlSessionFactoryBeanName));
        explicitFactoryUsed = true;
      } else if (this.sqlSessionFactory != null) {
        definition.getPropertyValues().add("sqlSessionFactory", this.sqlSessionFactory);
        explicitFactoryUsed = true;
      }
      //sqlSessionTemplateBeanName配置
      if (StringUtils.hasText(this.sqlSessionTemplateBeanName)) {
        if (explicitFactoryUsed) {
          LOGGER.warn(
              () -> "Cannot use both: sqlSessionTemplate and sqlSessionFactory together. sqlSessionFactory is ignored.");
        }
        definition.getPropertyValues().add("sqlSessionTemplate",
            new RuntimeBeanReference(this.sqlSessionTemplateBeanName));
        explicitFactoryUsed = true;
      } else if (this.sqlSessionTemplate != null) {
        if (explicitFactoryUsed) {
          LOGGER.warn(
              () -> "Cannot use both: sqlSessionTemplate and sqlSessionFactory together. sqlSessionFactory is ignored.");
        }
        definition.getPropertyValues().add("sqlSessionTemplate", this.sqlSessionTemplate);
        explicitFactoryUsed = true;
      }
      // 自动注入模式,分为类型或名称,上述条件是否改变explicitFactoryUsed值来决定是否需要开启按类型注入
      if (!explicitFactoryUsed) {
        LOGGER.debug(() -> "Enabling autowire by type for MapperFactoryBean with name '" + holder.getBeanName() + "'.");
        definition.setAutowireMode(AbstractBeanDefinition.AUTOWIRE_BY_TYPE);
      }
      definition.setLazyInit(lazyInitialization);
    }
  }

ClassPathBeanDefinitionScanner中的doScan负责解析多个包属性、设置findCandidateComponents内部方法生成的bean的scope属性、处理额外的注解如Lazy、Primary等,最后将生成符合的配置的BeanDefinition返回给ClassPathMapperScanner中的processBeanDefinitions处理生成MapperFactoryBean的bean即mapper映射接口。

   protected Set<BeanDefinitionHolder> doScan(String... basePackages) {
		Assert.notEmpty(basePackages, "At least one base package must be specified");
		Set<BeanDefinitionHolder> beanDefinitions = new LinkedHashSet<BeanDefinitionHolder>();
        //遍历扫描多个包的java路径
		for (String basePackage : basePackages) {
            /**
             * 扫描的核心关键点,根据包路径信息结合类文件路径拼接成绝对路径,生成ScannedGenericBeanDefinition类型的bean
             * 其中有使用到前面生成的过滤器规则,过滤部分文件路径
             */
			Set<BeanDefinition> candidates = findCandidateComponents(basePackage);
            //解析BeanDefinition并设置scope
			for (BeanDefinition candidate : candidates) {
				ScopeMetadata scopeMetadata = this.scopeMetadataResolver.resolveScopeMetadata(candidate);
				candidate.setScope(scopeMetadata.getScopeName());
				String beanName = this.beanNameGenerator.generateBeanName(candidate, this.registry);
				if (candidate instanceof AbstractBeanDefinition) {
					postProcessBeanDefinition((AbstractBeanDefinition) candidate, beanName);
				}
                //处理是否为AnnotatedBeanDefinition类型的bean,则需要处理注解Lazy、Primary、DependsOn、Role和Description
				if (candidate instanceof AnnotatedBeanDefinition) {
					AnnotationConfigUtils.processCommonDefinitionAnnotations((AnnotatedBeanDefinition) candidate);
				}
                //检测是否已经被注册过
				if (checkCandidate(beanName, candidate)) {
					BeanDefinitionHolder definitionHolder = new BeanDefinitionHolder(candidate, beanName);
                    //当前bean是否用于代理,如果是则需要进一步处理
					definitionHolder = AnnotationConfigUtils.applyScopedProxyMode(scopeMetadata, definitionHolder, this.registry);
					beanDefinitions.add(definitionHolder);
					registerBeanDefinition(definitionHolder, this.registry);
				}
			}
		}
		return beanDefinitions;
	}

ClassPathScanningCandidateComponentProvider类中的findCandidateComponents方法根据包路径信息结合类文件路径拼接成绝对路径,过滤部分文件路径isCandidateComponent方法,最终生成ScannedGenericBeanDefinition类型的bean。

public Set<BeanDefinition> findCandidateComponents(String basePackage) {
    Set<BeanDefinition> candidates = new LinkedHashSet<BeanDefinition>();
    try {
        //拼接文件的绝对路径
        String packageSearchPath = ResourcePatternResolver.CLASSPATH_ALL_URL_PREFIX +
            resolveBasePackage(basePackage) + "/" + this.resourcePattern;
        Resource[] resources = this.resourcePatternResolver.getResources(packageSearchPath);
        boolean traceEnabled = logger.isTraceEnabled();
        boolean debugEnabled = logger.isDebugEnabled();
        for (Resource resource : resources) {
            if (traceEnabled) {
                logger.trace("Scanning " + resource);
            }
            if (resource.isReadable()) {
                try {
                    MetadataReader metadataReader = this.metadataReaderFactory.getMetadataReader(resource);
                    //应用文件过滤器规则,生成规则内的ScannedGenericBeanDefinition类型的bean
                    if (isCandidateComponent(metadataReader)) {
                        ScannedGenericBeanDefinition sbd = new ScannedGenericBeanDefinition(metadataReader);
                        sbd.setResource(resource);
                        sbd.setSource(resource);
                        if (isCandidateComponent(sbd)) {
                            if (debugEnabled) {
                                logger.debug("Identified candidate component class: " + resource);
                            }
                            candidates.add(sbd);
                        } else {
                            if (debugEnabled) {
                                logger.debug("Ignored because not a concrete top-level class: " + resource);
                            }
                        }
                    } else {
                        if (traceEnabled) {
                            logger.trace("Ignored because not matching any filter: " + resource);
                        }
                    }
                } catch (Throwable ex) {
                    throw new BeanDefinitionStoreException(
                        "Failed to read candidate component class: " + resource, ex);
                }
            } else {
                if (traceEnabled) {
                    logger.trace("Ignored because not readable: " + resource);
                }
            }
        }
    } catch (IOException ex) {
        throw new BeanDefinitionStoreException("I/O failure during classpath scanning", ex);
    }
    return candidates;
}
  • 2
    点赞
  • 2
    收藏
    觉得还不错? 一键收藏
  • 打赏
    打赏
  • 2
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论 2
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包

打赏作者

进击的猫

你的鼓励将是我创作的最大动力

¥1 ¥2 ¥4 ¥6 ¥10 ¥20
扫码支付:¥1
获取中
扫码支付

您的余额不足,请更换扫码支付或充值

打赏作者

实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值