91超碰碰碰碰久久久久久综合_超碰av人澡人澡人澡人澡人掠_国产黄大片在线观看画质优化_txt小说免费全本

溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務條款》

Mybatis工作原理

發布時間:2020-08-09 22:05:05 來源:ITPUB博客 閱讀:152 作者:高級java架構師 欄目:軟件技術

作者:wuxinliulei
鏈接:https://www.zhihu.com/question/25007334/answer/266187562
來源:知乎
著作權歸作者所有。商業轉載請聯系作者獲得授權,非商業轉載請注明出處。

Mybatis原名Ibatis,在2011年從Ibatis2.x升級到Mybatis 3.X,并將項目地址從Apache遷移到了Google code,事實上我們看MyBatis的類全路徑名,還是保留了Apache和Ibatis的的包前綴

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

不過MyBatis的配置文件以及操作類和實現方式都有了很大變化,這里我們重點講述的是Mybatis,不是Ibatis;


Mybatis的配置文件一共由兩類:

一類用于指定數據源、事務屬性以及其他一些參數配置信息(通常是一個獨立的文件,可以稱之為全局配置文件);

另一類則用于 指定數據庫表和程序之間的映射信息(可能不止一個文件,我們稱之為映射文件)

這些文件的名字并沒有確定的要求;只是要最從特定的dtd的xml文件約束,即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>
    <environments default="development">
        <environment id="development">
            <transactionManager type="JDBC" />
            <!-- 配置數據庫連接信息 -->
            <dataSource type="POOLED">
                <property name="driver" value="com.mysql.jdbc.Driver" />
                <property name="url" value="jdbc:mysql://localhost:3306/mybatis" />
                <property name="username" value="root" />
                <property name="password" value="root" />
            </dataSource>
        </environment>
    </environments>
    <mappers>
        <!-- 注冊userMapper.xml文件, 
        userMapper.xml位于com.test.mapping這個包下,所以resource寫成com/test/mapping/userMapper.xml-->
        <mapper resource="com/test/mapping/userMapper.xml"/>
    </mappers>
</configuration>

上述就是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指定一個唯一的namespace,namespace的值習慣上設置成包名+sql映射文件名,這樣就能夠保證namespace的值是唯一的
例如namespace="com.test.mapping.userMapper"就是com.test.mapping(包名)+userMapper(userMapper.xml文件去除后綴)
 -->
<mapper namespace="com.test.mapping.userMapper">
    <!-- 
        根據id查詢得到一個user對象
     -->
    <select id="getUser" parameterType="int" 
        resultType="com.test.domain.User">
        select * from users where id=#{id}
    </select>
</mapper>

上面是數據庫表與程序之間的映射文件,定義了一個根據id來獲取User對象的sql

package com.test.domain;
/**
 * users表所對應的實體類
 */
public class User {
    //實體類的屬性和表的字段名稱一一對應
    private int id;
    private String name;
    private int age;
    public int getId() {
        return id;
    }
    public void setId(int id) {
        this.id = id;
    }
    public String getName() {
        return name;
    }
    public void setName(String name) {
        this.name = name;
    }
    public int getAge() {
        return age;
    }
    public void setAge(int age) {
        this.age = age;
    }
    @Override
    public String toString() {
        return "User [id=" + id + ", name=" + name + ", age=" + age + "]";
    }
}

問題:

mybatis是怎么在程序中順利的找到sqlmapper的,這個的流程是怎么樣??

// mybatis的配置文件
String resource = "conf.xml";
// 使用類加載器加載mybatis的配置文件(它也加載關聯的映射文件)
InputStream is = Test1.class.getClassLoader().getResourceAsStream(resource);
// 構建sqlSession的工廠
SqlSessionFactory sessionFactory = new SqlSessionFactoryBuilder().build(is);

題主問的sqlmapper可以理解為兩種組件,一種是mapping映射文件,通過id名來獲取相應的sql語句,操作數據庫;一種是sql的返回對象,

resultType="com.test.domain.User"

這個就是返回的sql結果映射成為具體的POJO(Plain Ordinary Java Object)對象;

兩個重要的類即:

org.apache.ibatis.session.SqlSessionFactory;

org.apache.ibatis.session.SqlSession;

package org.apache.ibatis.session;
import java.sql.Connection;
public interface SqlSessionFactory {
  SqlSession openSession();
  SqlSession openSession(boolean autoCommit);
  SqlSession openSession(Connection connection);
  SqlSession openSession(TransactionIsolationLevel level);
  SqlSession openSession(ExecutorType execType);
  SqlSession openSession(ExecutorType execType, boolean autoCommit);
  SqlSession openSession(ExecutorType execType, TransactionIsolationLevel level);
  SqlSession openSession(ExecutorType execType, Connection connection);
  Configuration getConfiguration();
}

在構建SqlSessionFactory類的時候,將會對數據源及事務配置進行解析,具體在

org.apache.ibatis.builder.xml.XMLConfigBuilder類

org.apache.ibatis.builder.BaseBuilder類

XMLConfigBuilder類是解析產生org.apache.ibatis.Session.Configuration類的的具體類,Configuration類中將保存中所有的配置;

mybatis的源代碼解析(1)--xml文件解析 - 王久勇 - 博客園

這篇博客介紹了一些xml文件解析的基本;

具體mybatis的xml解析使用到了XPath方式,具體解析過程參看

zhuanlan.zhihu.com/p/31

其實一般各種輪子都會有一個解析XML后信息的專用存儲類,比如Config.Java,xxxConf.java,都是在啟動組件時解析XML配置以用作程序中使用的。

引用網絡上的一段源代碼

public class Test1 {
    public static void main(String[] args) throws IOException {
        //mybatis的配置文件
        String resource = "conf.xml";
        //使用類加載器加載mybatis的配置文件(它也加載關聯的映射文件)
        InputStream is = Test1.class.getClassLoader().getResourceAsStream(resource);
        //構建sqlSession的工廠
        SqlSessionFactory sessionFactory = new SqlSessionFactoryBuilder().build(is);
        //使用MyBatis提供的Resources類加載mybatis的配置文件(它也加載關聯的映射文件)
        //Reader reader = Resources.getResourceAsReader(resource); 
        //構建sqlSession的工廠
        //SqlSessionFactory sessionFactory = new SqlSessionFactoryBuilder().build(reader);
        //創建能執行映射文件中sql的sqlSession
        SqlSession session = sessionFactory.openSession();
        /**         * 映射sql的標識字符串,         * me.gacl.mapping.userMapper是userMapper.xml文件中mapper標簽的namespace屬性的值,         * getUser是select標簽的id屬性值,通過select標簽的id屬性值就可以找到要執行的SQL         */
        String statement = "me.gacl.mapping.userMapper.getUser";//映射sql的標識字符串
        //執行查詢返回一個唯一user對象的sql
        User user = session.selectOne(statement, 1);
        System.out.println(user);
    }}

通過跟蹤源代碼可以看到SqlSession通過mapper映射的id來查找數據的方法;

org.apache.ibatis.session.defaults.DefaultSqlSession類

public <E> List<E> selectList(String statement, Object parameter, RowBounds rowBounds)
{
     try
     {
	 MappedStatement ms = configuration.getMappedStatement(statement);
	 List<E> result = executor.<E> query(ms, wrapCollection(parameter), rowBounds, Executor.NO_RESULT_HANDLER);
	 return result;
     }
     catch (Exception e)
     {
	throw ExceptionFactory.wrapException("Error querying database.  Cause: " + e, e);
     }
     finally
     {
	ErrorContext.instance().reset();  
     }
}

org.apache.ibatis.session.Configuration類

public MappedStatement getMappedStatement(String id)
{
	return this.getMappedStatement(id, true);
}


protected final Map<String, MappedStatement> mappedStatements = 
new StrictMap<MappedStatement>("Mapped Statements collection");


public MappedStatement getMappedStatement(String id, boolean validateIncompleteStatements)
{
	if (validateIncompleteStatements)
	{
		buildAllStatements();
	}
	return mappedStatements.get(id);
}

其實就是根據一個map映射,key就是定義mapping時候的id來拿到的;

至此,

------------------------------



上述org.apache.ibatis.session.defaults.DefaultSqlSession類對象中的 selectList方法中的executor對象,

在默認情況下,即沒有設置settings的cache和executor屬性時,默認使用的

org.apache.ibatis.executor.CachingExecutor類

public Executor newExecutor(Transaction transaction, ExecutorType executorType, boolean autoCommit)
{
	        executorType = executorType == null ? defaultExecutorType : executorType;
	        executorType = executorType == null ? ExecutorType.SIMPLE : executorType;
		Executor executor;
		if (ExecutorType.BATCH == executorType)
		{
			executor = new BatchExecutor(this, transaction);
		}
		else if (ExecutorType.REUSE == executorType)
		{
			executor = new ReuseExecutor(this, transaction);
		}
		else
		{
			executor = new SimpleExecutor(this, transaction);
		}
		if (cacheEnabled)
		{
			executor = new CachingExecutor(executor, autoCommit);
		}
		executor = (Executor) interceptorChain.pluginAll(executor);
		return executor;
}


所以調用到了

public <E> List<E> query(MappedStatement ms, Object parameterObject, 
                        RowBounds rowBounds, ResultHandler resultHandler)
			throws SQLException
{
      BoundSql boundSql = ms.getBoundSql(parameterObject);
      CacheKey key = createCacheKey(ms, parameterObject, rowBounds, boundSql);
      return query(ms, parameterObject, rowBounds, resultHandler, key, boundSql);
}

在真正查詢時先查詢cache,可以看到這個cache層級在MappedStatement上,也就是在單個Sql上;若查到,則直接返回,無則通過jdbc查詢,且返回結果

public <E> List<E> query(MappedStatement ms, Object parameterObject, RowBounds rowBounds, ResultHandler resultHandler,
		CacheKey key, BoundSql boundSql) throws SQLException
{
	Cache cache = ms.getCache();
	if (cache != null)
	{
		flushCacheIfRequired(ms);
		if (ms.isUseCache() && resultHandler == null)
		{
			ensureNoOutParams(ms, key, parameterObject, boundSql);
			if (!dirty)
			{
				cache.getReadWriteLock().readLock().lock();
				try
				{
					@SuppressWarnings("unchecked")
					List<E> cachedList = (List<E>) cache.getObject(key);
					if (cachedList != null)
						return cachedList;
				}
				finally
				{
					cache.getReadWriteLock().readLock().unlock();
				}
			}
			List<E> list = delegate.<E> query(ms, parameterObject, rowBounds, resultHandler, key, boundSql);
			tcm.putObject(cache, key, list); // issue #578. Query must be
												// not synchronized to
												// prevent deadlocks
			return list;
		}
	}
	return delegate.<E> query(ms, parameterObject, rowBounds, resultHandler, key, boundSql);
}

上述的使用方式是未使用代理的方式,這樣需要我們自行openSession并且關閉Session;

SqlSession session = null;
try
{
	session = sessionFactory.openSession();
	/**
	 * 映射sql的標識字符串, com.test.mapping.userMapper是userMapper.
	 * xml文件中mapper標簽的namespace屬性的值,
	 * getUser是select標簽的id屬性值,通過select標簽的id屬性值就可以找到要執行的SQL
	 */
	String statement = "com.test.mapping.userMapper.getUser";// 映射sql的標識字符串
	// 執行查詢返回一個唯一user對象的sql
	User user = session.selectOne(statement, 1);
	System.out.println(user);
}
catch (Exception e)
{
	// TODO: handle exception
}
finally
{
	if (session != null)
	{
		session.close();
	}
}

事實上如果我們使用SqlSessionManager來管理,那么開啟和關閉Session操作都不用我們來處理了。

final SqlSessionManager sqlSessionManager = SqlSessionManager.newInstance(sessionFactory);
String statement = "com.test.mapping.userMapper.getUser";// 映射sql的標識字符串
User user = sqlSessionManager.selectOne(statement, 1);
System.out.println(user);

下面是Interceptor類實現,開啟和關閉操作都交由了

private class SqlSessionInterceptor implements InvocationHandler
{
	public Object invoke(Object proxy, Method method, Object[] args) throws Throwable
	{
		final SqlSession sqlSession = SqlSessionManager.this.localSqlSession.get();
		if (sqlSession != null)
		{
			try
			{
				return method.invoke(sqlSession, args);
			}
			catch (Throwable t)
			{
				throw ExceptionUtil.unwrapThrowable(t);
			}
		}
		else
		{
			final SqlSession autoSqlSession = openSession();
			try
			{
				final Object result = method.invoke(autoSqlSession, args);
				autoSqlSession.commit();
				return result;
			}
			catch (Throwable t)
			{
				autoSqlSession.rollback();
				throw ExceptionUtil.unwrapThrowable(t);
			}
			finally
			{
				autoSqlSession.close();
			}
		}
	}
}

如果使用Mapper方式來操作SQL,就是利用動態代理,可以避免我們手寫mapper的id字符串,將查找sql過程和執行sql過程放到了代理處理中,更優雅些,不過大體流程就是這些,改變了查找sql的步驟,通過Mapper的方法名來查找對應的sql的,


向AI問一下細節

免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。

AI

镇江市| 美姑县| 海口市| 墨脱县| 景洪市| 三原县| 怀集县| 石嘴山市| 全南县| 巨鹿县| 禹州市| 塔城市| 上杭县| 望城县| 合作市| 齐河县| 清新县| 仁怀市| 苍梧县| 华坪县| 松潘县| 会泽县| 浦北县| 莱西市| 德清县| 清徐县| 鲁甸县| 通州市| 竹北市| 鄂州市| 红桥区| 雷州市| 榆社县| 乌鲁木齐县| 玉山县| 汽车| 靖安县| 龙胜| 锦州市| 荥阳市| 尚义县|