SqlSessionFactoryBean.java

  1. /*
  2.  * Copyright 2010-2024 the original author or authors.
  3.  *
  4.  * Licensed under the Apache License, Version 2.0 (the "License");
  5.  * you may not use this file except in compliance with the License.
  6.  * You may obtain a copy of the License at
  7.  *
  8.  *    https://www.apache.org/licenses/LICENSE-2.0
  9.  *
  10.  * Unless required by applicable law or agreed to in writing, software
  11.  * distributed under the License is distributed on an "AS IS" BASIS,
  12.  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  13.  * See the License for the specific language governing permissions and
  14.  * limitations under the License.
  15.  */
  16. package org.mybatis.spring;

  17. import static org.springframework.util.Assert.notNull;
  18. import static org.springframework.util.Assert.state;
  19. import static org.springframework.util.ObjectUtils.isEmpty;
  20. import static org.springframework.util.StringUtils.hasLength;
  21. import static org.springframework.util.StringUtils.tokenizeToStringArray;

  22. import java.io.IOException;
  23. import java.lang.reflect.Modifier;
  24. import java.sql.SQLException;
  25. import java.util.ArrayList;
  26. import java.util.Arrays;
  27. import java.util.HashSet;
  28. import java.util.List;
  29. import java.util.Optional;
  30. import java.util.Properties;
  31. import java.util.Set;
  32. import java.util.function.IntFunction;
  33. import java.util.stream.Stream;

  34. import javax.sql.DataSource;

  35. import org.apache.ibatis.builder.xml.XMLConfigBuilder;
  36. import org.apache.ibatis.builder.xml.XMLMapperBuilder;
  37. import org.apache.ibatis.cache.Cache;
  38. import org.apache.ibatis.executor.ErrorContext;
  39. import org.apache.ibatis.io.Resources;
  40. import org.apache.ibatis.io.VFS;
  41. import org.apache.ibatis.mapping.DatabaseIdProvider;
  42. import org.apache.ibatis.mapping.Environment;
  43. import org.apache.ibatis.plugin.Interceptor;
  44. import org.apache.ibatis.reflection.factory.ObjectFactory;
  45. import org.apache.ibatis.reflection.wrapper.ObjectWrapperFactory;
  46. import org.apache.ibatis.scripting.LanguageDriver;
  47. import org.apache.ibatis.session.Configuration;
  48. import org.apache.ibatis.session.SqlSessionFactory;
  49. import org.apache.ibatis.session.SqlSessionFactoryBuilder;
  50. import org.apache.ibatis.transaction.TransactionFactory;
  51. import org.apache.ibatis.type.TypeHandler;
  52. import org.mybatis.logging.Logger;
  53. import org.mybatis.logging.LoggerFactory;
  54. import org.mybatis.spring.transaction.SpringManagedTransactionFactory;
  55. import org.springframework.beans.factory.FactoryBean;
  56. import org.springframework.beans.factory.InitializingBean;
  57. import org.springframework.context.ApplicationListener;
  58. import org.springframework.context.ConfigurableApplicationContext;
  59. import org.springframework.context.event.ContextRefreshedEvent;
  60. import org.springframework.core.io.Resource;
  61. import org.springframework.core.io.support.PathMatchingResourcePatternResolver;
  62. import org.springframework.core.io.support.ResourcePatternResolver;
  63. import org.springframework.core.type.classreading.CachingMetadataReaderFactory;
  64. import org.springframework.core.type.classreading.MetadataReaderFactory;
  65. import org.springframework.jdbc.datasource.TransactionAwareDataSourceProxy;
  66. import org.springframework.util.ClassUtils;

  67. /**
  68.  * {@code FactoryBean} that creates a MyBatis {@code SqlSessionFactory}. This is the usual way to set up a shared
  69.  * MyBatis {@code SqlSessionFactory} in a Spring application context; the SqlSessionFactory can then be passed to
  70.  * MyBatis-based DAOs via dependency injection.
  71.  * <p>
  72.  * Either {@code DataSourceTransactionManager} or {@code JtaTransactionManager} can be used for transaction demarcation
  73.  * in combination with a {@code SqlSessionFactory}. JTA should be used for transactions which span multiple databases or
  74.  * when container managed transactions (CMT) are being used.
  75.  *
  76.  * @author Putthiphong Boonphong
  77.  * @author Hunter Presnall
  78.  * @author Eduardo Macarron
  79.  * @author EddĂș MelĂ©ndez
  80.  * @author Kazuki Shimizu
  81.  * @author Jens Schauder
  82.  *
  83.  * @see #setConfigLocation
  84.  * @see #setDataSource
  85.  */
  86. public class SqlSessionFactoryBean
  87.     implements FactoryBean<SqlSessionFactory>, InitializingBean, ApplicationListener<ContextRefreshedEvent> {

  88.   private static final Logger LOGGER = LoggerFactory.getLogger(SqlSessionFactoryBean.class);

  89.   private static final ResourcePatternResolver RESOURCE_PATTERN_RESOLVER = new PathMatchingResourcePatternResolver();
  90.   private static final MetadataReaderFactory METADATA_READER_FACTORY = new CachingMetadataReaderFactory();

  91.   private Resource configLocation;

  92.   private Configuration configuration;

  93.   private Resource[] mapperLocations;

  94.   private DataSource dataSource;

  95.   private TransactionFactory transactionFactory;

  96.   private Properties configurationProperties;

  97.   private SqlSessionFactoryBuilder sqlSessionFactoryBuilder = new SqlSessionFactoryBuilder();

  98.   private SqlSessionFactory sqlSessionFactory;

  99.   // EnvironmentAware requires spring 3.1
  100.   private String environment = SqlSessionFactoryBean.class.getSimpleName();

  101.   private boolean failFast;

  102.   private Interceptor[] plugins;

  103.   private TypeHandler<?>[] typeHandlers;

  104.   private String typeHandlersPackage;

  105.   @SuppressWarnings("rawtypes")
  106.   private Class<? extends TypeHandler> defaultEnumTypeHandler;

  107.   private Class<?>[] typeAliases;

  108.   private String typeAliasesPackage;

  109.   private Class<?> typeAliasesSuperType;

  110.   private LanguageDriver[] scriptingLanguageDrivers;

  111.   private Class<? extends LanguageDriver> defaultScriptingLanguageDriver;

  112.   // issue #19. No default provider.
  113.   private DatabaseIdProvider databaseIdProvider;

  114.   private Class<? extends VFS> vfs;

  115.   private Cache cache;

  116.   private ObjectFactory objectFactory;

  117.   private ObjectWrapperFactory objectWrapperFactory;

  118.   /**
  119.    * Sets the ObjectFactory.
  120.    *
  121.    * @since 1.1.2
  122.    *
  123.    * @param objectFactory
  124.    *          a custom ObjectFactory
  125.    */
  126.   public void setObjectFactory(ObjectFactory objectFactory) {
  127.     this.objectFactory = objectFactory;
  128.   }

  129.   /**
  130.    * Sets the ObjectWrapperFactory.
  131.    *
  132.    * @since 1.1.2
  133.    *
  134.    * @param objectWrapperFactory
  135.    *          a specified ObjectWrapperFactory
  136.    */
  137.   public void setObjectWrapperFactory(ObjectWrapperFactory objectWrapperFactory) {
  138.     this.objectWrapperFactory = objectWrapperFactory;
  139.   }

  140.   /**
  141.    * Gets the DatabaseIdProvider
  142.    *
  143.    * @since 1.1.0
  144.    *
  145.    * @return a specified DatabaseIdProvider
  146.    */
  147.   public DatabaseIdProvider getDatabaseIdProvider() {
  148.     return databaseIdProvider;
  149.   }

  150.   /**
  151.    * Sets the DatabaseIdProvider. As of version 1.2.2 this variable is not initialized by default.
  152.    *
  153.    * @since 1.1.0
  154.    *
  155.    * @param databaseIdProvider
  156.    *          a DatabaseIdProvider
  157.    */
  158.   public void setDatabaseIdProvider(DatabaseIdProvider databaseIdProvider) {
  159.     this.databaseIdProvider = databaseIdProvider;
  160.   }

  161.   /**
  162.    * Gets the VFS.
  163.    *
  164.    * @return a specified VFS
  165.    */
  166.   public Class<? extends VFS> getVfs() {
  167.     return this.vfs;
  168.   }

  169.   /**
  170.    * Sets the VFS.
  171.    *
  172.    * @param vfs
  173.    *          a VFS
  174.    */
  175.   public void setVfs(Class<? extends VFS> vfs) {
  176.     this.vfs = vfs;
  177.   }

  178.   /**
  179.    * Gets the Cache.
  180.    *
  181.    * @return a specified Cache
  182.    */
  183.   public Cache getCache() {
  184.     return this.cache;
  185.   }

  186.   /**
  187.    * Sets the Cache.
  188.    *
  189.    * @param cache
  190.    *          a Cache
  191.    */
  192.   public void setCache(Cache cache) {
  193.     this.cache = cache;
  194.   }

  195.   /**
  196.    * Mybatis plugin list.
  197.    *
  198.    * @since 1.0.1
  199.    *
  200.    * @param plugins
  201.    *          list of plugins
  202.    */
  203.   public void setPlugins(Interceptor... plugins) {
  204.     this.plugins = plugins;
  205.   }

  206.   /**
  207.    * Packages to search for type aliases.
  208.    * <p>
  209.    * Since 2.0.1, allow to specify a wildcard such as {@code com.example.*.model}.
  210.    *
  211.    * @since 1.0.1
  212.    *
  213.    * @param typeAliasesPackage
  214.    *          package to scan for domain objects
  215.    */
  216.   public void setTypeAliasesPackage(String typeAliasesPackage) {
  217.     this.typeAliasesPackage = typeAliasesPackage;
  218.   }

  219.   /**
  220.    * Super class which domain objects have to extend to have a type alias created. No effect if there is no package to
  221.    * scan configured.
  222.    *
  223.    * @since 1.1.2
  224.    *
  225.    * @param typeAliasesSuperType
  226.    *          super class for domain objects
  227.    */
  228.   public void setTypeAliasesSuperType(Class<?> typeAliasesSuperType) {
  229.     this.typeAliasesSuperType = typeAliasesSuperType;
  230.   }

  231.   /**
  232.    * Packages to search for type handlers.
  233.    * <p>
  234.    * Since 2.0.1, allow to specify a wildcard such as {@code com.example.*.typehandler}.
  235.    *
  236.    * @since 1.0.1
  237.    *
  238.    * @param typeHandlersPackage
  239.    *          package to scan for type handlers
  240.    */
  241.   public void setTypeHandlersPackage(String typeHandlersPackage) {
  242.     this.typeHandlersPackage = typeHandlersPackage;
  243.   }

  244.   /**
  245.    * Set type handlers. They must be annotated with {@code MappedTypes} and optionally with {@code MappedJdbcTypes}
  246.    *
  247.    * @since 1.0.1
  248.    *
  249.    * @param typeHandlers
  250.    *          Type handler list
  251.    */
  252.   public void setTypeHandlers(TypeHandler<?>... typeHandlers) {
  253.     this.typeHandlers = typeHandlers;
  254.   }

  255.   /**
  256.    * Set the default type handler class for enum.
  257.    *
  258.    * @since 2.0.5
  259.    *
  260.    * @param defaultEnumTypeHandler
  261.    *          The default type handler class for enum
  262.    */
  263.   public void setDefaultEnumTypeHandler(
  264.       @SuppressWarnings("rawtypes") Class<? extends TypeHandler> defaultEnumTypeHandler) {
  265.     this.defaultEnumTypeHandler = defaultEnumTypeHandler;
  266.   }

  267.   /**
  268.    * List of type aliases to register. They can be annotated with {@code Alias}
  269.    *
  270.    * @since 1.0.1
  271.    *
  272.    * @param typeAliases
  273.    *          Type aliases list
  274.    */
  275.   public void setTypeAliases(Class<?>... typeAliases) {
  276.     this.typeAliases = typeAliases;
  277.   }

  278.   /**
  279.    * If true, a final check is done on Configuration to assure that all mapped statements are fully loaded and there is
  280.    * no one still pending to resolve includes. Defaults to false.
  281.    *
  282.    * @since 1.0.1
  283.    *
  284.    * @param failFast
  285.    *          enable failFast
  286.    */
  287.   public void setFailFast(boolean failFast) {
  288.     this.failFast = failFast;
  289.   }

  290.   /**
  291.    * Set the location of the MyBatis {@code SqlSessionFactory} config file. A typical value is
  292.    * "WEB-INF/mybatis-configuration.xml".
  293.    *
  294.    * @param configLocation
  295.    *          a location the MyBatis config file
  296.    */
  297.   public void setConfigLocation(Resource configLocation) {
  298.     this.configLocation = configLocation;
  299.   }

  300.   /**
  301.    * Set a customized MyBatis configuration.
  302.    *
  303.    * @param configuration
  304.    *          MyBatis configuration
  305.    *
  306.    * @since 1.3.0
  307.    */
  308.   public void setConfiguration(Configuration configuration) {
  309.     this.configuration = configuration;
  310.   }

  311.   /**
  312.    * Set locations of MyBatis mapper files that are going to be merged into the {@code SqlSessionFactory} configuration
  313.    * at runtime.
  314.    * <p>
  315.    * This is an alternative to specifying "&lt;sqlmapper&gt;" entries in an MyBatis config file. This property being
  316.    * based on Spring's resource abstraction also allows for specifying resource patterns here: e.g.
  317.    * "classpath*:sqlmap/*-mapper.xml".
  318.    *
  319.    * @param mapperLocations
  320.    *          location of MyBatis mapper files
  321.    */
  322.   public void setMapperLocations(Resource... mapperLocations) {
  323.     this.mapperLocations = mapperLocations;
  324.   }

  325.   /**
  326.    * Set optional properties to be passed into the SqlSession configuration, as alternative to a
  327.    * {@code &lt;properties&gt;} tag in the configuration xml file. This will be used to resolve placeholders in the
  328.    * config file.
  329.    *
  330.    * @param sqlSessionFactoryProperties
  331.    *          optional properties for the SqlSessionFactory
  332.    */
  333.   public void setConfigurationProperties(Properties sqlSessionFactoryProperties) {
  334.     this.configurationProperties = sqlSessionFactoryProperties;
  335.   }

  336.   /**
  337.    * Set the JDBC {@code DataSource} that this instance should manage transactions for. The {@code DataSource} should
  338.    * match the one used by the {@code SqlSessionFactory}: for example, you could specify the same JNDI DataSource for
  339.    * both.
  340.    * <p>
  341.    * A transactional JDBC {@code Connection} for this {@code DataSource} will be provided to application code accessing
  342.    * this {@code DataSource} directly via {@code DataSourceUtils} or {@code DataSourceTransactionManager}.
  343.    * <p>
  344.    * The {@code DataSource} specified here should be the target {@code DataSource} to manage transactions for, not a
  345.    * {@code TransactionAwareDataSourceProxy}. Only data access code may work with
  346.    * {@code TransactionAwareDataSourceProxy}, while the transaction manager needs to work on the underlying target
  347.    * {@code DataSource}. If there's nevertheless a {@code TransactionAwareDataSourceProxy} passed in, it will be
  348.    * unwrapped to extract its target {@code DataSource}.
  349.    *
  350.    * @param dataSource
  351.    *          a JDBC {@code DataSource}
  352.    */
  353.   public void setDataSource(DataSource dataSource) {
  354.     if (dataSource instanceof TransactionAwareDataSourceProxy) {
  355.       // If we got a TransactionAwareDataSourceProxy, we need to perform
  356.       // transactions for its underlying target DataSource, else data
  357.       // access code won't see properly exposed transactions (i.e.
  358.       // transactions for the target DataSource).
  359.       this.dataSource = ((TransactionAwareDataSourceProxy) dataSource).getTargetDataSource();
  360.     } else {
  361.       this.dataSource = dataSource;
  362.     }
  363.   }

  364.   /**
  365.    * Sets the {@code SqlSessionFactoryBuilder} to use when creating the {@code SqlSessionFactory}.
  366.    * <p>
  367.    * This is mainly meant for testing so that mock SqlSessionFactory classes can be injected. By default,
  368.    * {@code SqlSessionFactoryBuilder} creates {@code DefaultSqlSessionFactory} instances.
  369.    *
  370.    * @param sqlSessionFactoryBuilder
  371.    *          a SqlSessionFactoryBuilder
  372.    */
  373.   public void setSqlSessionFactoryBuilder(SqlSessionFactoryBuilder sqlSessionFactoryBuilder) {
  374.     this.sqlSessionFactoryBuilder = sqlSessionFactoryBuilder;
  375.   }

  376.   /**
  377.    * Set the MyBatis TransactionFactory to use. Default is {@code SpringManagedTransactionFactory}.
  378.    * <p>
  379.    * The default {@code SpringManagedTransactionFactory} should be appropriate for all cases: be it Spring transaction
  380.    * management, EJB CMT or plain JTA. If there is no active transaction, SqlSession operations will execute SQL
  381.    * statements non-transactionally.
  382.    * <p>
  383.    * <b>It is strongly recommended to use the default {@code TransactionFactory}.</b> If not used, any attempt at
  384.    * getting an SqlSession through Spring's MyBatis framework will throw an exception if a transaction is active.
  385.    *
  386.    * @see SpringManagedTransactionFactory
  387.    *
  388.    * @param transactionFactory
  389.    *          the MyBatis TransactionFactory
  390.    */
  391.   public void setTransactionFactory(TransactionFactory transactionFactory) {
  392.     this.transactionFactory = transactionFactory;
  393.   }

  394.   /**
  395.    * <b>NOTE:</b> This class <em>overrides</em> any {@code Environment} you have set in the MyBatis config file. This is
  396.    * used only as a placeholder name. The default value is {@code SqlSessionFactoryBean.class.getSimpleName()}.
  397.    *
  398.    * @param environment
  399.    *          the environment name
  400.    */
  401.   public void setEnvironment(String environment) {
  402.     this.environment = environment;
  403.   }

  404.   /**
  405.    * Set scripting language drivers.
  406.    *
  407.    * @param scriptingLanguageDrivers
  408.    *          scripting language drivers
  409.    *
  410.    * @since 2.0.2
  411.    */
  412.   public void setScriptingLanguageDrivers(LanguageDriver... scriptingLanguageDrivers) {
  413.     this.scriptingLanguageDrivers = scriptingLanguageDrivers;
  414.   }

  415.   /**
  416.    * Set a default scripting language driver class.
  417.    *
  418.    * @param defaultScriptingLanguageDriver
  419.    *          A default scripting language driver class
  420.    *
  421.    * @since 2.0.2
  422.    */
  423.   public void setDefaultScriptingLanguageDriver(Class<? extends LanguageDriver> defaultScriptingLanguageDriver) {
  424.     this.defaultScriptingLanguageDriver = defaultScriptingLanguageDriver;
  425.   }

  426.   /**
  427.    * Add locations of MyBatis mapper files that are going to be merged into the {@code SqlSessionFactory} configuration
  428.    * at runtime.
  429.    * <p>
  430.    * This is an alternative to specifying "&lt;sqlmapper&gt;" entries in an MyBatis config file. This property being
  431.    * based on Spring's resource abstraction also allows for specifying resource patterns here: e.g.
  432.    * "classpath*:sqlmap/*-mapper.xml".
  433.    *
  434.    * @param mapperLocations
  435.    *          location of MyBatis mapper files
  436.    *
  437.    * @see #setMapperLocations(Resource...)
  438.    *
  439.    * @since 3.0.2
  440.    */
  441.   public void addMapperLocations(Resource... mapperLocations) {
  442.     setMapperLocations(appendArrays(this.mapperLocations, mapperLocations, Resource[]::new));
  443.   }

  444.   /**
  445.    * Add type handlers.
  446.    *
  447.    * @param typeHandlers
  448.    *          Type handler list
  449.    *
  450.    * @since 3.0.2
  451.    */
  452.   public void addTypeHandlers(TypeHandler<?>... typeHandlers) {
  453.     setTypeHandlers(appendArrays(this.typeHandlers, typeHandlers, TypeHandler[]::new));
  454.   }

  455.   /**
  456.    * Add scripting language drivers.
  457.    *
  458.    * @param scriptingLanguageDrivers
  459.    *          scripting language drivers
  460.    *
  461.    * @since 3.0.2
  462.    */
  463.   public void addScriptingLanguageDrivers(LanguageDriver... scriptingLanguageDrivers) {
  464.     setScriptingLanguageDrivers(
  465.         appendArrays(this.scriptingLanguageDrivers, scriptingLanguageDrivers, LanguageDriver[]::new));
  466.   }

  467.   /**
  468.    * Add Mybatis plugins.
  469.    *
  470.    * @param plugins
  471.    *          list of plugins
  472.    *
  473.    * @since 3.0.2
  474.    */
  475.   public void addPlugins(Interceptor... plugins) {
  476.     setPlugins(appendArrays(this.plugins, plugins, Interceptor[]::new));
  477.   }

  478.   /**
  479.    * Add type aliases.
  480.    *
  481.    * @param typeAliases
  482.    *          Type aliases list
  483.    *
  484.    * @since 3.0.2
  485.    */
  486.   public void addTypeAliases(Class<?>... typeAliases) {
  487.     setTypeAliases(appendArrays(this.typeAliases, typeAliases, Class[]::new));
  488.   }

  489.   private <T> T[] appendArrays(T[] oldArrays, T[] newArrays, IntFunction<T[]> generator) {
  490.     if (oldArrays == null) {
  491.       return newArrays;
  492.     }
  493.     if (newArrays == null) {
  494.       return oldArrays;
  495.     }
  496.     List<T> newList = new ArrayList<>(Arrays.asList(oldArrays));
  497.     newList.addAll(Arrays.asList(newArrays));
  498.     return newList.toArray(generator.apply(0));
  499.   }

  500.   @Override
  501.   public void afterPropertiesSet() throws Exception {
  502.     notNull(dataSource, "Property 'dataSource' is required");
  503.     notNull(sqlSessionFactoryBuilder, "Property 'sqlSessionFactoryBuilder' is required");
  504.     // TODO Review this statement as it seems off!
  505.     state((configuration == null && configLocation == null) || !(configuration != null && configLocation != null),
  506.         "Property 'configuration' and 'configLocation' can not specified with together");

  507.     this.sqlSessionFactory = buildSqlSessionFactory();
  508.   }

  509.   /**
  510.    * Build a {@code SqlSessionFactory} instance.
  511.    * <p>
  512.    * The default implementation uses the standard MyBatis {@code XMLConfigBuilder} API to build a
  513.    * {@code SqlSessionFactory} instance based on a Reader. Since 1.3.0, it can be specified a {@link Configuration}
  514.    * instance directly(without config file).
  515.    *
  516.    * @return SqlSessionFactory
  517.    *
  518.    * @throws Exception
  519.    *           if configuration is failed
  520.    */
  521.   protected SqlSessionFactory buildSqlSessionFactory() throws Exception {

  522.     final Configuration targetConfiguration;

  523.     XMLConfigBuilder xmlConfigBuilder = null;
  524.     if (this.configuration != null) {
  525.       targetConfiguration = this.configuration;
  526.       if (targetConfiguration.getVariables() == null) {
  527.         targetConfiguration.setVariables(this.configurationProperties);
  528.       } else if (this.configurationProperties != null) {
  529.         targetConfiguration.getVariables().putAll(this.configurationProperties);
  530.       }
  531.     } else if (this.configLocation != null) {
  532.       xmlConfigBuilder = new XMLConfigBuilder(this.configLocation.getInputStream(), null, this.configurationProperties);
  533.       targetConfiguration = xmlConfigBuilder.getConfiguration();
  534.     } else {
  535.       LOGGER.debug(
  536.           () -> "Property 'configuration' or 'configLocation' not specified, using default MyBatis Configuration");
  537.       targetConfiguration = new Configuration();
  538.       Optional.ofNullable(this.configurationProperties).ifPresent(targetConfiguration::setVariables);
  539.     }

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

  543.     if (hasLength(this.typeAliasesPackage)) {
  544.       scanClasses(this.typeAliasesPackage, this.typeAliasesSuperType).stream()
  545.           .filter(clazz -> !clazz.isAnonymousClass()).filter(clazz -> !clazz.isInterface())
  546.           .filter(clazz -> !clazz.isMemberClass()).forEach(targetConfiguration.getTypeAliasRegistry()::registerAlias);
  547.     }

  548.     if (!isEmpty(this.typeAliases)) {
  549.       Stream.of(this.typeAliases).forEach(typeAlias -> {
  550.         targetConfiguration.getTypeAliasRegistry().registerAlias(typeAlias);
  551.         LOGGER.debug(() -> "Registered type alias: '" + typeAlias + "'");
  552.       });
  553.     }

  554.     if (!isEmpty(this.plugins)) {
  555.       Stream.of(this.plugins).forEach(plugin -> {
  556.         targetConfiguration.addInterceptor(plugin);
  557.         LOGGER.debug(() -> "Registered plugin: '" + plugin + "'");
  558.       });
  559.     }

  560.     if (hasLength(this.typeHandlersPackage)) {
  561.       scanClasses(this.typeHandlersPackage, TypeHandler.class).stream().filter(clazz -> !clazz.isAnonymousClass())
  562.           .filter(clazz -> !clazz.isInterface()).filter(clazz -> !Modifier.isAbstract(clazz.getModifiers()))
  563.           .forEach(targetConfiguration.getTypeHandlerRegistry()::register);
  564.     }

  565.     if (!isEmpty(this.typeHandlers)) {
  566.       Stream.of(this.typeHandlers).forEach(typeHandler -> {
  567.         targetConfiguration.getTypeHandlerRegistry().register(typeHandler);
  568.         LOGGER.debug(() -> "Registered type handler: '" + typeHandler + "'");
  569.       });
  570.     }

  571.     targetConfiguration.setDefaultEnumTypeHandler(defaultEnumTypeHandler);

  572.     if (!isEmpty(this.scriptingLanguageDrivers)) {
  573.       Stream.of(this.scriptingLanguageDrivers).forEach(languageDriver -> {
  574.         targetConfiguration.getLanguageRegistry().register(languageDriver);
  575.         LOGGER.debug(() -> "Registered scripting language driver: '" + languageDriver + "'");
  576.       });
  577.     }
  578.     Optional.ofNullable(this.defaultScriptingLanguageDriver)
  579.         .ifPresent(targetConfiguration::setDefaultScriptingLanguage);

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

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

  588.     if (xmlConfigBuilder != null) {
  589.       try {
  590.         xmlConfigBuilder.parse();
  591.         LOGGER.debug(() -> "Parsed configuration file: '" + this.configLocation + "'");
  592.       } catch (Exception ex) {
  593.         throw new IOException("Failed to parse config resource: " + this.configLocation, ex);
  594.       } finally {
  595.         ErrorContext.instance().reset();
  596.       }
  597.     }

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

  601.     if (this.mapperLocations != null) {
  602.       if (this.mapperLocations.length == 0) {
  603.         LOGGER.warn(() -> "Property 'mapperLocations' was specified but matching resources are not found.");
  604.       } else {
  605.         for (Resource mapperLocation : this.mapperLocations) {
  606.           if (mapperLocation == null) {
  607.             continue;
  608.           }
  609.           try {
  610.             var xmlMapperBuilder = new XMLMapperBuilder(mapperLocation.getInputStream(), targetConfiguration,
  611.                 mapperLocation.toString(), targetConfiguration.getSqlFragments());
  612.             xmlMapperBuilder.parse();
  613.           } catch (Exception e) {
  614.             throw new IOException("Failed to parse mapping resource: '" + mapperLocation + "'", e);
  615.           } finally {
  616.             ErrorContext.instance().reset();
  617.           }
  618.           LOGGER.debug(() -> "Parsed mapper file: '" + mapperLocation + "'");
  619.         }
  620.       }
  621.     } else {
  622.       LOGGER.debug(() -> "Property 'mapperLocations' was not specified.");
  623.     }

  624.     return this.sqlSessionFactoryBuilder.build(targetConfiguration);
  625.   }

  626.   @Override
  627.   public SqlSessionFactory getObject() throws Exception {
  628.     if (this.sqlSessionFactory == null) {
  629.       afterPropertiesSet();
  630.     }

  631.     return this.sqlSessionFactory;
  632.   }

  633.   @Override
  634.   public Class<? extends SqlSessionFactory> getObjectType() {
  635.     return this.sqlSessionFactory == null ? SqlSessionFactory.class : this.sqlSessionFactory.getClass();
  636.   }

  637.   @Override
  638.   public boolean isSingleton() {
  639.     return true;
  640.   }

  641.   @Override
  642.   public void onApplicationEvent(ContextRefreshedEvent event) {
  643.     if (failFast) {
  644.       // fail-fast -> check all statements are completed
  645.       this.sqlSessionFactory.getConfiguration().getMappedStatementNames();
  646.     }
  647.   }

  648.   private Set<Class<?>> scanClasses(String packagePatterns, Class<?> assignableType) throws IOException {
  649.     Set<Class<?>> classes = new HashSet<>();
  650.     var packagePatternArray = tokenizeToStringArray(packagePatterns,
  651.         ConfigurableApplicationContext.CONFIG_LOCATION_DELIMITERS);
  652.     for (String packagePattern : packagePatternArray) {
  653.       var resources = RESOURCE_PATTERN_RESOLVER.getResources(ResourcePatternResolver.CLASSPATH_ALL_URL_PREFIX
  654.           + ClassUtils.convertClassNameToResourcePath(packagePattern) + "/**/*.class");
  655.       for (Resource resource : resources) {
  656.         try {
  657.           var classMetadata = METADATA_READER_FACTORY.getMetadataReader(resource).getClassMetadata();
  658.           Class<?> clazz = Resources.classForName(classMetadata.getClassName());
  659.           if (assignableType == null || assignableType.isAssignableFrom(clazz)) {
  660.             classes.add(clazz);
  661.           }
  662.         } catch (Throwable e) {
  663.           LOGGER.warn(() -> "Cannot load the '" + resource + "'. Cause by " + e.toString());
  664.         }
  665.       }
  666.     }
  667.     return classes;
  668.   }

  669. }