Mybatis源碼解析之配置解析

[上一篇]:Mybatis源碼解析之Spring獲取Mapper過程

菜菜的上一篇《Mybatis源碼解析之Spring獲取Mapper過程》主要介紹的是MapperScan,并從中知道了Spring與MyBatis如何連接起來的嚷辅,這篇菜菜繼續(xù)看配置文件中配置的SqlSessionFactoryBean,并介紹解析MaBatis中配置的xml信息咽筋。

問題

MyBatis中的配置文件是在哪步進(jìn)行解析的瘤载?

揭秘答案-源碼

這里再次貼出上篇中配置文件中部分代碼

@Bean
  public SqlSessionFactoryBean sqlSessionFactoryBean(DataSource dataSource, ApplicationContext applicationContext) throws Exception {
    SqlSessionFactoryBean sessionFactory = new SqlSessionFactoryBean();
    sessionFactory.setDataSource(dataSource);
    sessionFactory.setConfigLocation(applicationContext.getResource("classpath:mybatis-config.xml"));
    sessionFactory.afterPropertiesSet();
    sessionFactory.setPlugins(new Interceptor[] { new PagerInterceptor()});
    return sessionFactory;
  }

配置文件中配置了SqlSessionFactoryBean的bean,Spring在啟動的時候就會執(zhí)行sqlSessionFactoryBean(DataSource dataSource, ApplicationContext applicationContext)來創(chuàng)建Bean的實(shí)例,該方法中前面都是對屬性進(jìn)行設(shè)置梭依,主要看sessionFactory.afterPropertiesSet();
afterPropertiesSet()是Spring中InitializingBean中的方法,Spring會在初始化Bean時所有的屬性被初始化后調(diào)用該方法稍算。SqlSessionFactoryBean中afterPropertiesSet()方法中最重要的是調(diào)用buildSqlSessionFactory()方法,下面具體看下buildSqlSessionFactory方法

@Override
  public void afterPropertiesSet() throws Exception {
    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();
  }

/**
   * Build a {@code SqlSessionFactory} instance.
   *
   * The default implementation uses the standard MyBatis {@code XMLConfigBuilder} API to build a
   * {@code SqlSessionFactory} instance based on an Reader.
   * Since 1.3.0, it can be specified a {@link Configuration} instance directly(without config file).
   *
   * @return SqlSessionFactory
   * @throws IOException if loading the config file failed
   */
 protected SqlSessionFactory buildSqlSessionFactory() throws IOException {

    Configuration configuration;

    XMLConfigBuilder xmlConfigBuilder = null;
    if (this.configuration != null) {
      configuration = this.configuration;
      if (configuration.getVariables() == null) {
        configuration.setVariables(this.configurationProperties);
      } else if (this.configurationProperties != null) {
        configuration.getVariables().putAll(this.configurationProperties);
      }
    } else if (this.configLocation != null) {
      xmlConfigBuilder = new XMLConfigBuilder(this.configLocation.getInputStream(), null, this.configurationProperties);
      configuration = xmlConfigBuilder.getConfiguration();
    } else {
      if (LOGGER.isDebugEnabled()) {
        LOGGER.debug("Property `configuration` or 'configLocation' not specified, using default MyBatis Configuration");
      }
      configuration = new Configuration();
      configuration.setVariables(this.configurationProperties);
    }

    if (this.objectFactory != null) {
      configuration.setObjectFactory(this.objectFactory);
    }

    if (this.objectWrapperFactory != null) {
      configuration.setObjectWrapperFactory(this.objectWrapperFactory);
    }

    if (this.vfs != null) {
      configuration.setVfsImpl(this.vfs);
    }

    if (hasLength(this.typeAliasesPackage)) {
      String[] typeAliasPackageArray = tokenizeToStringArray(this.typeAliasesPackage,
          ConfigurableApplicationContext.CONFIG_LOCATION_DELIMITERS);
      for (String packageToScan : typeAliasPackageArray) {
        configuration.getTypeAliasRegistry().registerAliases(packageToScan,
                typeAliasesSuperType == null ? Object.class : typeAliasesSuperType);
        if (LOGGER.isDebugEnabled()) {
          LOGGER.debug("Scanned package: '" + packageToScan + "' for aliases");
        }
      }
    }

    if (!isEmpty(this.typeAliases)) {
      for (Class<?> typeAlias : this.typeAliases) {
        configuration.getTypeAliasRegistry().registerAlias(typeAlias);
        if (LOGGER.isDebugEnabled()) {
          LOGGER.debug("Registered type alias: '" + typeAlias + "'");
        }
      }
    }
//如果添加了plugins役拴,最終會將plugins加入interceptorChain
    if (!isEmpty(this.plugins)) {
      for (Interceptor plugin : this.plugins) {
        configuration.addInterceptor(plugin);
        if (LOGGER.isDebugEnabled()) {
          LOGGER.debug("Registered plugin: '" + plugin + "'");
        }
      }
    }

    if (hasLength(this.typeHandlersPackage)) {
      String[] typeHandlersPackageArray = tokenizeToStringArray(this.typeHandlersPackage,
          ConfigurableApplicationContext.CONFIG_LOCATION_DELIMITERS);
      for (String packageToScan : typeHandlersPackageArray) {
        configuration.getTypeHandlerRegistry().register(packageToScan);
        if (LOGGER.isDebugEnabled()) {
          LOGGER.debug("Scanned package: '" + packageToScan + "' for type handlers");
        }
      }
    }

    if (!isEmpty(this.typeHandlers)) {
      for (TypeHandler<?> typeHandler : this.typeHandlers) {
        configuration.getTypeHandlerRegistry().register(typeHandler);
        if (LOGGER.isDebugEnabled()) {
          LOGGER.debug("Registered type handler: '" + typeHandler + "'");
        }
      }
    }

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

    if (this.cache != null) {
      configuration.addCache(this.cache);
    }
//如果配置了config文件的位置就會去解析改文件一般是mybatis-config.xml文件
    if (xmlConfigBuilder != null) {
      try {
        xmlConfigBuilder.parse();

        if (LOGGER.isDebugEnabled()) {
          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();
      }
    }

    if (this.transactionFactory == null) {
      this.transactionFactory = new SpringManagedTransactionFactory();
    }

    configuration.setEnvironment(new Environment(this.environment, this.transactionFactory, this.dataSource));
//如果配置了Mapper文件路徑就會去解析Mapper
    if (!isEmpty(this.mapperLocations)) {
      for (Resource mapperLocation : this.mapperLocations) {
        if (mapperLocation == null) {
          continue;
        }

        try {
          XMLMapperBuilder xmlMapperBuilder = new XMLMapperBuilder(mapperLocation.getInputStream(),
              configuration, mapperLocation.toString(), configuration.getSqlFragments());
          xmlMapperBuilder.parse();
        } catch (Exception e) {
          throw new NestedIOException("Failed to parse mapping resource: '" + mapperLocation + "'", e);
        } finally {
          ErrorContext.instance().reset();
        }

        if (LOGGER.isDebugEnabled()) {
          LOGGER.debug("Parsed mapper file: '" + mapperLocation + "'");
        }
      }
    } else {
      if (LOGGER.isDebugEnabled()) {
        LOGGER.debug("Property 'mapperLocations' was not specified or no matching resources found");
      }
    }

    return this.sqlSessionFactoryBuilder.build(configuration);
  }


//SqlSessionFactoryBuilder
public SqlSessionFactory build(Configuration config) {
    return new DefaultSqlSessionFactory(config);
  }

在buildSqlSessionFactory中有兩個解析xml文件的地方一個是xmlConfigBuilder解析config文件,另外一個是xmlMapperBuilder用來解析mapper文件河闰。

Spring與MyBatis整合后在上一篇中沒有設(shè)置mapperLocation,所以真正解析Mapper文件的地方并不在這姜性,而是在MapperFactoryBean的checkDaoConfig()里(后面會詳細(xì)說明)

buildSqlSessionFactory最后一步是返回SqlSessionFactory部念,我們看到返回的是DefaultSqlSessionFactory妓湘,Mybatis源碼解析之SqlSession來自何方中知道SqlSessionFactoryBean是個factoryBean,在Spring實(shí)例化bean時會調(diào)用getObject()方法榜贴,而它的getObject()返回的就是buildSqlSessionFactory創(chuàng)建的DefaultSqlSessionFactory竣灌,這樣在Spring中就有了擁有了SqlSessionFactory。

那么秆麸,Mapper文件的解析為什么會是在MapperFactoryBean的checkDaoConfig()里呢

我們首先看下MapperFactoryBean的繼承層次關(guān)系


image.png

再來看下DaoSupport這個類

public abstract class DaoSupport implements InitializingBean {
    protected final Log logger = LogFactory.getLog(this.getClass());

    public DaoSupport() {
    }

    public final void afterPropertiesSet() throws IllegalArgumentException, BeanInitializationException {
        this.checkDaoConfig();

        try {
            this.initDao();
        } catch (Exception var2) {
            throw new BeanInitializationException("Initialization of DAO failed", var2);
        }
    }

    protected abstract void checkDaoConfig() throws IllegalArgumentException;

    protected void initDao() throws Exception {
    }
}

DaoSupport實(shí)現(xiàn)了InitializingBean初嘹,并使用模板方法設(shè)計(jì)模式定義了兩個模板方法checkDaoConfig()與initDao()

由于DaoSupport實(shí)現(xiàn)了InitializingBean所以MapperFactoryBean初始化(為什么進(jìn)行會創(chuàng)建這個bean在下一篇中有講到)屬性完成后就會調(diào)用DaoSupport里的afterPropertiesSet()方法afterPropertiesSet方法首先調(diào)用了this.checkDaoConfig();而MapperFactoryBean實(shí)現(xiàn)了該方法,如下:

/**
   * {@inheritDoc}
   */
  @Override
  protected void checkDaoConfig() {
    super.checkDaoConfig();

    notNull(this.mapperInterface, "Property 'mapperInterface' is required");

    Configuration configuration = getSqlSession().getConfiguration();
    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();
      }
    }
  }

checkDaoConfig()中最重要的方法是configuration.addMapper(this.mapperInterface);為了減少篇幅下面一次性將所有調(diào)用到的源碼知道解析mapper貼出

//Configuration
public <T> void addMapper(Class<T> type) {
    mapperRegistry.addMapper(type);
  }

//MapperRegistry
public <T> void addMapper(Class<T> type) {
    if (type.isInterface()) {
      if (hasMapper(type)) {
        throw new BindingException("Type " + type + " is already known to the MapperRegistry.");
      }
      boolean loadCompleted = false;
      try {
        knownMappers.put(type, new MapperProxyFactory<T>(type));
        // It's important that the type is added before the parser is run
        // otherwise the binding may automatically be attempted by the
        // mapper parser. If the type is already known, it won't try.
        MapperAnnotationBuilder parser = new MapperAnnotationBuilder(config, type);
//這里進(jìn)行解析
        parser.parse();
        loadCompleted = true;
      } finally {
        if (!loadCompleted) {
          knownMappers.remove(type);
        }
      }
    }
  }

//MapperAnnotationBuilder
 public void parse() {
    String resource = type.toString();
    if (!configuration.isResourceLoaded(resource)) {
//先解析xml中的sql
      loadXmlResource();
      configuration.addLoadedResource(resource);
      assistant.setCurrentNamespace(type.getName());
      parseCache();
      parseCacheRef();
      Method[] methods = type.getMethods();
      for (Method method : methods) {
        try {
          // issue #237
          if (!method.isBridge()) {
         //解析注解中的sql
            parseStatement(method);
          }
        } catch (IncompleteElementException e) {
          configuration.addIncompleteMethod(new MethodResolver(this, method));
        }
      }
    }
    parsePendingMethods();
  }
private void loadXmlResource() {
    // Spring may not know the real resource name so we check a flag
    // to prevent loading again a resource twice
    // this flag is set at XMLMapperBuilder#bindMapperForNamespace
    if (!configuration.isResourceLoaded("namespace:" + type.getName())) {
      String xmlResource = type.getName().replace('.', '/') + ".xml";
      InputStream inputStream = null;
      try {
        inputStream = Resources.getResourceAsStream(type.getClassLoader(), xmlResource);
      } catch (IOException e) {
        // ignore, resource is not required
      }
      if (inputStream != null) {
        XMLMapperBuilder xmlParser = new XMLMapperBuilder(inputStream, assistant.getConfiguration(), xmlResource, configuration.getSqlFragments(), type.getName());
        xmlParser.parse();
      }
    }
  }

//XMLMapperBuilder
public void parse() {
    //這里就是具體解析element了有興趣自己可以看下
    if (!configuration.isResourceLoaded(resource)) {
      configurationElement(parser.evalNode("/mapper"));
      configuration.addLoadedResource(resource);
      bindMapperForNamespace();
    }

    parsePendingResultMaps();
    parsePendingChacheRefs();
    parsePendingStatements();
  }

菜菜相信只要找到了是在configuration.addMapper(this.mapperInterface)里去解析Mapper文件以及Spring怎么進(jìn)入configuration.addMapper(this.mapperInterface)的,后面的具體怎么解析相信大家都能看的明白沮趣,只需要記住一點(diǎn)屯烦,Mybatis的所有配置信息都存放在Configuration里。

如有錯誤房铭,歡迎各位大佬斧正驻龟!
[下一篇]:Mybatis源碼解析之MapperProxy

最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個濱河市缸匪,隨后出現(xiàn)的幾起案子翁狐,更是在濱河造成了極大的恐慌,老刑警劉巖凌蔬,帶你破解...
    沈念sama閱讀 207,113評論 6 481
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件露懒,死亡現(xiàn)場離奇詭異,居然都是意外死亡砂心,警方通過查閱死者的電腦和手機(jī)懈词,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 88,644評論 2 381
  • 文/潘曉璐 我一進(jìn)店門,熙熙樓的掌柜王于貴愁眉苦臉地迎上來辩诞,“玉大人坎弯,你說我怎么就攤上這事∫朐荩” “怎么了抠忘?”我有些...
    開封第一講書人閱讀 153,340評論 0 344
  • 文/不壞的土叔 我叫張陵,是天一觀的道長秧秉。 經(jīng)常有香客問我褐桌,道長,這世上最難降的妖魔是什么象迎? 我笑而不...
    開封第一講書人閱讀 55,449評論 1 279
  • 正文 為了忘掉前任荧嵌,我火速辦了婚禮呛踊,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘啦撮。我一直安慰自己谭网,他們只是感情好,可當(dāng)我...
    茶點(diǎn)故事閱讀 64,445評論 5 374
  • 文/花漫 我一把揭開白布赃春。 她就那樣靜靜地躺著愉择,像睡著了一般。 火紅的嫁衣襯著肌膚如雪织中。 梳的紋絲不亂的頭發(fā)上锥涕,一...
    開封第一講書人閱讀 49,166評論 1 284
  • 那天,我揣著相機(jī)與錄音狭吼,去河邊找鬼层坠。 笑死,一個胖子當(dāng)著我的面吹牛刁笙,可吹牛的內(nèi)容都是我干的破花。 我是一名探鬼主播,決...
    沈念sama閱讀 38,442評論 3 401
  • 文/蒼蘭香墨 我猛地睜開眼疲吸,長吁一口氣:“原來是場噩夢啊……” “哼座每!你這毒婦竟也來了?” 一聲冷哼從身側(cè)響起摘悴,我...
    開封第一講書人閱讀 37,105評論 0 261
  • 序言:老撾萬榮一對情侶失蹤峭梳,失蹤者是張志新(化名)和其女友劉穎,沒想到半個月后蹂喻,有當(dāng)?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體延赌,經(jīng)...
    沈念sama閱讀 43,601評論 1 300
  • 正文 獨(dú)居荒郊野嶺守林人離奇死亡,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點(diǎn)故事閱讀 36,066評論 2 325
  • 正文 我和宋清朗相戀三年叉橱,在試婚紗的時候發(fā)現(xiàn)自己被綠了挫以。 大學(xué)時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片。...
    茶點(diǎn)故事閱讀 38,161評論 1 334
  • 序言:一個原本活蹦亂跳的男人離奇死亡窃祝,死狀恐怖掐松,靈堂內(nèi)的尸體忽然破棺而出,到底是詐尸還是另有隱情粪小,我是刑警寧澤大磺,帶...
    沈念sama閱讀 33,792評論 4 323
  • 正文 年R本政府宣布,位于F島的核電站探膊,受9級特大地震影響杠愧,放射性物質(zhì)發(fā)生泄漏。R本人自食惡果不足惜逞壁,卻給世界環(huán)境...
    茶點(diǎn)故事閱讀 39,351評論 3 307
  • 文/蒙蒙 一流济、第九天 我趴在偏房一處隱蔽的房頂上張望锐锣。 院中可真熱鬧,春花似錦绳瘟、人聲如沸雕憔。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,352評論 0 19
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽斤彼。三九已至,卻和暖如春蘸泻,著一層夾襖步出監(jiān)牢的瞬間琉苇,已是汗流浹背。 一陣腳步聲響...
    開封第一講書人閱讀 31,584評論 1 261
  • 我被黑心中介騙來泰國打工悦施, 沒想到剛下飛機(jī)就差點(diǎn)兒被人妖公主榨干…… 1. 我叫王不留翁潘,地道東北人。 一個月前我還...
    沈念sama閱讀 45,618評論 2 355
  • 正文 我出身青樓歼争,卻偏偏與公主長得像,于是被迫代替她去往敵國和親渗勘。 傳聞我的和親對象是個殘疾皇子沐绒,可洞房花燭夜當(dāng)晚...
    茶點(diǎn)故事閱讀 42,916評論 2 344

推薦閱讀更多精彩內(nèi)容

  • 單獨(dú)使用mybatis是有很多限制的(比如無法實(shí)現(xiàn)跨越多個session的事務(wù)),而且很多業(yè)務(wù)系統(tǒng)本來就是使用sp...
    七寸知架構(gòu)閱讀 3,431評論 0 53
  • Spring Cloud為開發(fā)人員提供了快速構(gòu)建分布式系統(tǒng)中一些常見模式的工具(例如配置管理旺坠,服務(wù)發(fā)現(xiàn)乔遮,斷路器,智...
    卡卡羅2017閱讀 134,601評論 18 139
  • 1 Mybatis入門 1.1 單獨(dú)使用jdbc編程問題總結(jié) 1.1.1 jdbc程序 上邊使...
    哇哈哈E閱讀 3,293評論 0 38
  • 2018年11月16日上午9:00轉(zhuǎn)樓鎮(zhèn)中小學(xué)期中考試備考會在中心校會議室召開。參加會議的有中小學(xué)校長璧疗、幼兒園園長...
    若水_5245閱讀 371評論 0 0
  • 聽到老師這么一說坯辩,全班人都慌了神。因?yàn)槊魈煸缟闲iL要特別為我們班上一節(jié)綜合實(shí)踐課崩侠。 在這里漆魔,我只想用一篇文章反...
    番茄炒蛋飯閱讀 440評論 1 1