精品国产人成在线_亚洲高清无码在线观看_国产在线视频国产永久2021_国产AV综合第一页一个的一区免费影院黑人_最近中文字幕MV高清在线视频

0
  • 聊天消息
  • 系統消息
  • 評論與回復
登錄后你可以
  • 下載海量資料
  • 學習在線課程
  • 觀看技術視頻
  • 寫文章/發帖/加入社區
會員中心
創作中心

完善資料讓更多小伙伴認識你,還能領取20積分哦,立即完善>

3天內不再提示

源碼學習之MyBatis的底層查詢原理

OSC開源社區 ? 2022-10-10 11:42 ? 次閱讀

導讀

本文通過MyBatis一個低版本的bug(3.4.5之前的版本)入手,分析MyBatis的一次完整的查詢流程,從配置文件的解析到一個查詢的完整執行過程詳細解讀MyBatis的一次查詢流程,通過本文可以詳細了解MyBatis的一次查詢過程。在平時的代碼編寫中,發現了MyBatis一個低版本的bug(3.4.5之前的版本),由于現在很多工程中的版本都是低于3.4.5的,因此在這里用一個簡單的例子復現問題,并且從源碼角度分析MyBatis一次查詢的流程,讓大家了解MyBatis的查詢原理

01問題現象 在今年的敏捷團隊建設中,我通過Suite執行器實現了一鍵自動化單元測試。Juint除了Suite執行器還有哪些執行器呢?由此我的Runner探索之旅開始了!

1.1 場景問題復現

如下圖所示,在示例Mapper中,下面提供了一個方法queryStudents,從student表中查詢出符合查詢條件的數據,入參可以為student_name或者student_name的集合,示例中參數只傳入的是studentName的List集合

 List studentNames = new LinkedList<>();
 studentNames.add("lct");
 studentNames.add("lct2");
 condition.setStudentNames(studentNames);
  


        select * from student
        
            
                AND student_name IN
                
                    #{studentName, jdbcType=VARCHAR}
                 foreach>
             if>


            
                AND student_name = #{studentName, jdbcType=VARCHAR}
             if>
         where>
     select>


 mapper>

2.示例代碼

public static void main(String[] args) throws IOException {
        String resource = "mybatis-config.xml";
        InputStream inputStream = Resources.getResourceAsStream(resource);
        //1.獲取SqlSessionFactory對象
        SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);
        //2.獲取對象
        SqlSession sqlSession = sqlSessionFactory.openSession();
        //3.獲取接口的代理類對象
        StudentDao mapper = sqlSession.getMapper(StudentDao.class);
        StudentCondition condition = new StudentCondition();
        List studentNames = new LinkedList<>();
        studentNames.add("lct");
        studentNames.add("lct2");
        condition.setStudentNames(studentNames);
        //執行方法
        List students = mapper.queryStudents(condition);
    }

2.2.3 查詢過程分析

1.SqlSessionFactory的構建

先看SqlSessionFactory的對象的創建過程

//1.獲取SqlSessionFactory對象
SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);

代碼中首先通過調用SqlSessionFactoryBuilder中的build方法來獲取對象,進入build方法

 public SqlSessionFactory build(InputStream inputStream) {
    return build(inputStream, null, null);
  }

調用自身的build方法

bb27fc9c-484c-11ed-a3b6-dac502259ad0.png

圖1 build方法自身調用調試圖例

在這個方法里會創建一個XMLConfigBuilder的對象,用來解析傳入的MyBatis的配置文件,然后調用parse方法進行解析

bb586698-484c-11ed-a3b6-dac502259ad0.png

圖2 parse解析入參調試圖例

在這個方法中,會從MyBatis的配置文件的根目錄中獲取xml的內容,其中parser這個對象是一個XPathParser的對象,這個是專門用來解析xml文件的,具體怎么從xml文件中獲取到各個節點這里不再進行講解。這里可以看到解析配置文件是從configuration這個節點開始的,在MyBatis的配置文件中這個節點也是根節點

 

        PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
        "http://mybatis.org/dtd/mybatis-3-config.dtd">



    
           
     properties>
然后將解析好的xml文件傳入parseConfiguration方法中,在這個方法中會獲取在配置文件中的各個節點的配置

bb98ffe6-484c-11ed-a3b6-dac502259ad0.png

圖3 解析配置調試圖例

以獲取mappers節點的配置來看具體的解析過程

 
        
     mappers>
進入mapperElement方法
mapperElement(root.evalNode("mappers"));

bbb688ae-484c-11ed-a3b6-dac502259ad0.png

圖4 mapperElement方法調試圖例

看到MyBatis還是通過創建一個XMLMapperBuilder對象來對mappers節點進行解析,在parse方法中

public void parse() {
  if (!configuration.isResourceLoaded(resource)) {
    configurationElement(parser.evalNode("/mapper"));
    configuration.addLoadedResource(resource);
    bindMapperForNamespace();
  }


  parsePendingResultMaps();
  parsePendingCacheRefs();
  parsePendingStatements();
}

通過調用configurationElement方法來解析配置的每一個mapper文件

private void configurationElement(XNode context) {
  try {
    String namespace = context.getStringAttribute("namespace");
    if (namespace == null || namespace.equals("")) {
      throw new BuilderException("Mapper's namespace cannot be empty");
    }
    builderAssistant.setCurrentNamespace(namespace);
    cacheRefElement(context.evalNode("cache-ref"));
    cacheElement(context.evalNode("cache"));
    parameterMapElement(context.evalNodes("/mapper/parameterMap"));
    resultMapElements(context.evalNodes("/mapper/resultMap"));
    sqlElement(context.evalNodes("/mapper/sql"));
    buildStatementFromContext(context.evalNodes("select|insert|update|delete"));
  } catch (Exception e) {
    throw new BuilderException("Error parsing Mapper XML. Cause: " + e, e);
  }
}

以解析mapper中的增刪改查的標簽來看看是如何解析一個mapper文件的

進入buildStatementFromContext方法

private void buildStatementFromContext(List list, String requiredDatabaseId) {
  for (XNode context : list) {
    final XMLStatementBuilder statementParser = new XMLStatementBuilder(configuration, builderAssistant, context, requiredDatabaseId);
    try {
      statementParser.parseStatementNode();
    } catch (IncompleteElementException e) {
      configuration.addIncompleteStatement(statementParser);
    }
  }
}

可以看到MyBatis還是通過創建一個XMLStatementBuilder對象來對增刪改查節點進行解析,通過調用這個對象的parseStatementNode方法,在這個方法里會獲取到配置在這個標簽下的所有配置信息,然后進行設置

bbf41318-484c-11ed-a3b6-dac502259ad0.png

圖5 parseStatementNode方法調試圖例

解析完成以后,通過方法addMappedStatement將所有的配置都添加到一個MappedStatement中去,然后再將mappedstatement添加到configuration中去

builderAssistant.addMappedStatement(id, sqlSource, statementType, sqlCommandType,
    fetchSize, timeout, parameterMap, parameterTypeClass, resultMap, resultTypeClass,
    resultSetTypeEnum, flushCache, useCache, resultOrdered, 
    keyGenerator, keyProperty, keyColumn, databaseId, langDriver, resultSets);

bc14bf64-484c-11ed-a3b6-dac502259ad0.png

圖6 增加解析完成的mapper方法調試圖例

可以看到一個mappedstatement中包含了一個增刪改查標簽的詳細信息

bc7ef898-484c-11ed-a3b6-dac502259ad0.png

圖7 mappedstatement對象方法調試圖例

而一個configuration就包含了所有的配置信息,其中mapperRegistertry和mappedStatements

bcbddaea-484c-11ed-a3b6-dac502259ad0.png

圖8 config對象方法調試圖例

具體的流程

bcebfc40-484c-11ed-a3b6-dac502259ad0.png

圖9 SqlSessionFactory對象的構建過程

2.SqlSession的創建過程

SqlSessionFactory創建完成以后,接下來看看SqlSession的創建過程

SqlSession sqlSession = sqlSessionFactory.openSession();

首先會調用DefaultSqlSessionFactory的openSessionFromDataSource方法

@Override
public SqlSession openSession() {
  return openSessionFromDataSource(configuration.getDefaultExecutorType(), null, false);
}

在這個方法中,首先會從configuration中獲取DataSource等屬性組成對象Environment,利用Environment內的屬性構建一個事務對象TransactionFactory

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

事務創建完成以后開始創建Executor對象,Executor對象的創建是根據 executorType創建的,默認是SIMPLE類型的,沒有配置的情況下創建了SimpleExecutor,如果開啟二級緩存的話,則會創建CachingExecutor

public Executor newExecutor(Transaction transaction, ExecutorType executorType) {
  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);
  }
  executor = (Executor) interceptorChain.pluginAll(executor);
  return executor;
}

創建executor以后,會執行executor = (Executor) interceptorChain.pluginAll(executor)方法,這個方法對應的含義是使用每一個攔截器包裝并返回executor,最后調用DefaultSqlSession方法創建SqlSession

bd01a34c-484c-11ed-a3b6-dac502259ad0.png

圖10 SqlSession對象的創建過程

3.Mapper的獲取過程

有了SqlSessionFactory和SqlSession以后,就需要獲取對應的Mapper,并執行mapper中的方法

StudentDao mapper = sqlSession.getMapper(StudentDao.class);

在第一步中知道所有的mapper都放在MapperRegistry這個對象中,因此通過調用org.apache.ibatis.binding.MapperRegistry#getMapper方法來獲取對應的mapper

public  T getMapper(Class type, SqlSession sqlSession) {
  final MapperProxyFactory mapperProxyFactory = (MapperProxyFactory) knownMappers.get(type);
  if (mapperProxyFactory == null) {
    throw new BindingException("Type " + type + " is not known to the MapperRegistry.");
  }
  try {
    return mapperProxyFactory.newInstance(sqlSession);
  } catch (Exception e) {
    throw new BindingException("Error getting mapper instance. Cause: " + e, e);
  }
}

在MyBatis中,所有的mapper對應的都是一個代理類,獲取到mapper對應的代理類以后執行newInstance方法,獲取到對應的實例,這樣就可以通過這個實例進行方法的調用

public class MapperProxyFactory {


  private final Class mapperInterface;
  private final Map methodCache = new ConcurrentHashMap();


  public MapperProxyFactory(Class mapperInterface) {
    this.mapperInterface = mapperInterface;
  }


  public Class getMapperInterface() {
    return mapperInterface;
  }


  public Map getMethodCache() {
    return methodCache;
  }


  @SuppressWarnings("unchecked")
  protected T newInstance(MapperProxy mapperProxy) {
    return (T) Proxy.newProxyInstance(mapperInterface.getClassLoader(), new Class[] { mapperInterface }, mapperProxy);
  }


  public T newInstance(SqlSession sqlSession) {
    final MapperProxy mapperProxy = new MapperProxy(sqlSession, mapperInterface, methodCache);
    return newInstance(mapperProxy);
  }


}

獲取mapper的流程為

bd1adefc-484c-11ed-a3b6-dac502259ad0.png

圖11 Mapper的獲取過程

4.查詢過程

獲取到mapper以后,就可以調用具體的方法

//執行方法
List students = mapper.queryStudents(condition);

首先會調用org.apache.ibatis.binding.MapperProxy#invoke的方法,在這個方法中,會調用org.apache.ibatis.binding.MapperMethod#execute

public Object execute(SqlSession sqlSession, Object[] args) {
  Object result;
  switch (command.getType()) {
    case INSERT: {
   Object param = method.convertArgsToSqlCommandParam(args);
      result = rowCountResult(sqlSession.insert(command.getName(), param));
      break;
    }
    case UPDATE: {
      Object param = method.convertArgsToSqlCommandParam(args);
      result = rowCountResult(sqlSession.update(command.getName(), param));
      break;
    }
    case DELETE: {
      Object param = method.convertArgsToSqlCommandParam(args);
      result = rowCountResult(sqlSession.delete(command.getName(), param));
      break;
    }
    case SELECT:
      if (method.returnsVoid() && method.hasResultHandler()) {
        executeWithResultHandler(sqlSession, args);
        result = null;
      } else if (method.returnsMany()) {
        result = executeForMany(sqlSession, args);
      } else if (method.returnsMap()) {
        result = executeForMap(sqlSession, args);
      } else if (method.returnsCursor()) {
        result = executeForCursor(sqlSession, args);
      } else {
        Object param = method.convertArgsToSqlCommandParam(args);
        result = sqlSession.selectOne(command.getName(), param);
      }
      break;
    case FLUSH:
      result = sqlSession.flushStatements();
      break;
    default:
      throw new BindingException("Unknown execution method for: " + command.getName());
  }
  if (result == null && method.getReturnType().isPrimitive() && !method.returnsVoid()) {
    throw new BindingException("Mapper method '" + command.getName() 
        + " attempted to return null from a method with a primitive return type (" + method.getReturnType() + ").");
  }
  return result;
}

首先根據SQL的類型增刪改查決定執行哪個方法,在此執行的是SELECT方法,在SELECT中根據方法的返回值類型決定執行哪個方法,可以看到在select中沒有selectone單獨方法,都是通過selectList方法,通過調用org.apache.ibatis.session.defaults.DefaultSqlSession#selectList(java.lang.String, java.lang.Object)方法來獲取到數據

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

在selectList中,首先從configuration對象中獲取MappedStatement,在statement中包含了Mapper的相關信息,然后調用org.apache.ibatis.executor.CachingExecutor#query()方法

bd79d010-484c-11ed-a3b6-dac502259ad0.png

圖12 query()方法調試圖示

在這個方法中,首先對SQL進行解析根據入參和原始SQL,對SQL進行拼接

bdc8acf8-484c-11ed-a3b6-dac502259ad0.png

圖13 SQL拼接過程代碼圖示

調用MapperedStatement里的getBoundSql最終解析出來的SQL為

bde17670-484c-11ed-a3b6-dac502259ad0.png

圖14 SQL拼接過程結果圖示

接下來調用org.apache.ibatis.parsing.GenericTokenParser#parse對解析出來的SQL進行解析

be180d5c-484c-11ed-a3b6-dac502259ad0.png

圖15 SQL解析過程圖示

最終解析的結果為

be404ad8-484c-11ed-a3b6-dac502259ad0.png

圖16 SQL解析結果圖示

最后會調用SimpleExecutor中的doQuery方法,在這個方法中,會獲取StatementHandler,然后調用org.apache.ibatis.executor.statement.PreparedStatementHandler#parameterize這個方法進行參數和SQL的處理,最后調用statement的execute方法獲取到結果集,然后 利用resultHandler對結進行處理

bef01c9c-484c-11ed-a3b6-dac502259ad0.png

圖17 SQL處理結果圖示

查詢的主要流程為

bf1a73a2-484c-11ed-a3b6-dac502259ad0.png

bf2f3a6c-484c-11ed-a3b6-dac502259ad0.png

圖18 查詢流程處理圖示

5.查詢流程總結

總結整個查詢流程如下

bf749d46-484c-11ed-a3b6-dac502259ad0.png

圖19 查詢流程抽象

2.3場景問題原因及解決方案

2.3.1 個人排查

這個問bug出現的地方在于綁定SQL參數的時候再源碼中位置為

 @Override
 public  List query(MappedStatement ms, Object parameter, RowBounds rowBounds, ResultHandler resultHandler) throws SQLException {
   BoundSql boundSql = ms.getBoundSql(parameter);
   CacheKey key = createCacheKey(ms, parameter, rowBounds, boundSql);
   return query(ms, parameter, rowBounds, resultHandler, key, boundSql);
}

由于所寫的SQL是一個動態綁定參數的SQL,因此最終會走到org.apache.ibatis.scripting.xmltags.DynamicSqlSource#getBoundSql這個方法中去

public BoundSql getBoundSql(Object parameterObject) {
  BoundSql boundSql = sqlSource.getBoundSql(parameterObject);
  List parameterMappings = boundSql.getParameterMappings();
  if (parameterMappings == null || parameterMappings.isEmpty()) {
    boundSql = new BoundSql(configuration, boundSql.getSql(), parameterMap.getParameterMappings(), parameterObject);
  }


  // check for nested result maps in parameter mappings (issue #30)
  for (ParameterMapping pm : boundSql.getParameterMappings()) {
    String rmId = pm.getResultMapId();
    if (rmId != null) {
      ResultMap rm = configuration.getResultMap(rmId);
      if (rm != null) {
        hasNestedResultMaps |= rm.hasNestedResultMaps();
      }
    }
  }


  return boundSql;
}

在這個方法中,會調用 rootSqlNode.apply(context)方法,由于這個標簽是一個foreach標簽,因此這個apply方法會調用到org.apache.ibatis.scripting.xmltags.ForEachSqlNode#apply這個方法中去

@Override
public boolean apply(DynamicContext context) {
  Map bindings = context.getBindings();
  final Iterable  iterable = evaluator.evaluateIterable(collectionExpression, bindings);
  if (!iterable.iterator().hasNext()) {
    return true;
  }
  boolean first = true;
  applyOpen(context);
  int i = 0;
  for (Object o : iterable) {
    DynamicContext oldContext = context;
    if (first) {
      context = new PrefixedContext(context, "");
    } else if (separator != null) {
      context = new PrefixedContext(context, separator);
    } else {
        context = new PrefixedContext(context, "");
    }
    int uniqueNumber = context.getUniqueNumber();
    // Issue #709 
    if (o instanceof Map.Entry) {
      @SuppressWarnings("unchecked") 
      Map.Entry mapEntry = (Map.Entry) o;
      applyIndex(context, mapEntry.getKey(), uniqueNumber);
      applyItem(context, mapEntry.getValue(), uniqueNumber);
    } else {
      applyIndex(context, i, uniqueNumber);
      applyItem(context, o, uniqueNumber);
    }
    contents.apply(new FilteredDynamicContext(configuration, context, index, item, uniqueNumber));
    if (first) {
      first = !((PrefixedContext) context).isPrefixApplied();
    }
    context = oldContext;
    i++;
  }
  applyClose(context);
  return true;
}

當調用appItm方法的時候將參數進行綁定,參數的變量問題都會存在bindings這個參數中區

private void applyItem(DynamicContext context, Object o, int i) {
  if (item != null) {
    context.bind(item, o);
    context.bind(itemizeItem(item, i), o);
  }
}

進行綁定參數的時候,綁定完成foreach的方法的時候,可以看到bindings中不止綁定了foreach中的兩個參數還額外有一個參數名字studentName->lct2,也就是說最后一個參數也是會出現在bindings這個參數中的,

private void applyItem(DynamicContext context, Object o, int i) {
  if (item != null) {
    context.bind(item, o);
    context.bind(itemizeItem(item, i), o);
  }
}

bf86da60-484c-11ed-a3b6-dac502259ad0.png

圖20 參數綁定過程

最后判定

org.apache.ibatis.scripting.xmltags.IfSqlNode#apply

@Override
public boolean apply(DynamicContext context) {
  if (evaluator.evaluateBoolean(test, context.getBindings())) {
    contents.apply(context);
    return true;
  }
  return false;
}

可以看到在調用evaluateBoolean方法的時候會把context.getBindings()就是前邊提到的bindings參數傳入進去,因為現在這個參數中有一個studentName,因此在使用Ognl表達式的時候,判定為這個if標簽是有值的因此將這個標簽進行了解析

bfb17dba-484c-11ed-a3b6-dac502259ad0.png

圖21 單個參數綁定過程

最終綁定的結果為

c015c9be-484c-11ed-a3b6-dac502259ad0.png

圖22 全部參數綁定過程

因此這個地方綁定參數的地方是有問題的,至此找出了問題的所在。

2.3.2 官方解釋

翻閱MyBatis官方文檔進行求證,發現在3.4.5版本發行中bug fixes中有這樣一句

c05977d6-484c-11ed-a3b6-dac502259ad0.png

圖23 此問題官方修復github記錄

修復了foreach版本中對于全局變量context的修改的bug

issue地址為https://github.com/mybatis/mybatis-3/pull/966

修復方案為https://github.com/mybatis/mybatis-3/pull/966/commits/84513f915a9dcb97fc1d602e0c06e11a1eef4d6a

可以看到官方給出的修改方案,重新定義了一個對象,分別存儲全局變量和局部變量,這樣就會解決foreach會改變全局變量的問題。

c07f0e10-484c-11ed-a3b6-dac502259ad0.png

圖24 此問題官方修復代碼示例

2.3.3 修復方案

升級MyBatis版本至3.4.5以上

如果保持版本不變的話,在foreach中定義的變量名不要和外部的一致

03源碼閱讀過程總結 理解,首先 MCube 會依據模板緩存狀態判斷是否需要網絡獲取最新模板,當獲取到模板后進行模板加載,加載階段會將產物轉換為視圖樹的結構,轉換完成后將通過表達式引擎解析表達式并取得正確的值,通過事件解析引擎解析用戶自定義事件并完成事件的綁定,完成解析賦值以及事件綁定后進行視圖的渲染,最終將目標頁面展示到屏幕。

MyBatis源代碼的目錄是比較清晰的,基本上每個相同功能的模塊都在一起,但是如果直接去閱讀源碼的話,可能還是有一定的難度,沒法理解它的運行過程,本次通過一個簡單的查詢流程從頭到尾跟下來,可以看到MyBatis的設計以及處理流程,例如其中用到的設計模式:

c0bbc3fa-484c-11ed-a3b6-dac502259ad0.png

圖25 MyBatis代碼結構圖

組合模式:如ChooseSqlNode,IfSqlNode等

模板方法模式:例如BaseExecutor和SimpleExecutor,還有BaseTypeHandler和所有的子類例如IntegerTypeHandler

Builder模式:例如 SqlSessionFactoryBuilder、XMLConfigBuilder、XMLMapperBuilder、XMLStatementBuilder、CacheBuilder

工廠模式:例如SqlSessionFactory、ObjectFactory、MapperProxyFactory

代理模式:MyBatis實現的核心,比如MapperProxy、ConnectionLogger

04文檔參考

https://mybatis.org/mybatis-3/zh/index.html

聲明:本文內容及配圖由入駐作者撰寫或者入駐合作網站授權轉載。文章觀點僅代表作者本人,不代表電子發燒友網立場。文章及其配圖僅供工程師學習之用,如有內容侵權或者其他違規問題,請聯系本站處理。 舉報投訴
  • 源碼
    +關注

    關注

    8

    文章

    633

    瀏覽量

    29147
  • BUG
    BUG
    +關注

    關注

    0

    文章

    155

    瀏覽量

    15653
  • Suite
    +關注

    關注

    0

    文章

    12

    瀏覽量

    8086
  • mybatis
    +關注

    關注

    0

    文章

    58

    瀏覽量

    6700
收藏 人收藏

    評論

    相關推薦

    【免費領取】AI人工智能學習資料(學習路線圖+100余講課程+虛擬仿真平臺體驗+項目源碼+AI論文)

    想要深入學習AI人工智能嗎?現在機會來了!我們為初學者們準備了一份全面的資料包,包括學習路線、100余講視頻課程、AI在線實驗平合體驗、項目源碼、AI論文等,所有資料全部免費領取。01完整學習
    的頭像 發表于 09-27 15:50 ?316次閱讀
    【免費領取】AI人工智能<b class='flag-5'>學習</b>資料(<b class='flag-5'>學習</b>路線圖+100余講課程+虛擬仿真平臺體驗+項目<b class='flag-5'>源碼</b>+AI論文)

    【免費分享】嵌入式Linux開發板【入門+項目,應用+底層】資料包一網打盡,附教程/視頻/源碼...

    ?想要深入學習嵌入式Linux開發嗎?現在機會來了!我們為初學者們準備了一份全面的資料包,包括原理圖、教程、課件、視頻、項目、源碼等,所有資料全部免費領取,課程視頻可試看(購買后看完整版),讓你
    的頭像 發表于 09-05 10:45 ?257次閱讀
    【免費分享】嵌入式Linux開發板【入門+項目,應用+<b class='flag-5'>底層</b>】資料包一網打盡,附教程/視頻/<b class='flag-5'>源碼</b>...

    使用mybatis切片實現數據權限控制

    一、使用方式 數據權限控制需要對查詢出的數據進行篩選,對業務入侵最少的方式就是利用mybatis或者數據庫連接池的切片對已有業務的sql進行修改。切片邏輯完成后,僅需要在業務中加入少量標記代碼
    的頭像 發表于 07-09 17:26 ?336次閱讀
    使用<b class='flag-5'>mybatis</b>切片實現數據權限控制

    labview實例源碼控壓取樣系統

    labview源碼,包含報表、曲線、通訊等
    發表于 06-06 11:23 ?1次下載

    OpenHarmony開發學習:【源碼下載和編譯】

    本文介紹了如何下載鴻蒙系統源碼,如何一次性配置可以編譯三個目標平臺(`Hi3516`,`Hi3518`和`Hi3861`)的編譯環境,以及如何將源碼編譯為三個目標平臺的二進制文件。
    的頭像 發表于 04-14 09:36 ?878次閱讀
    OpenHarmony開發<b class='flag-5'>學習</b>:【<b class='flag-5'>源碼</b>下載和編譯】

    OneFlow Softmax算子源碼解讀BlockSoftmax

    寫在前面:筆者這段時間工作太忙,身心俱疲,博客停更了一段時間,現在重新撿起來。本文主要解讀 OneFlow 框架的第二種 Softmax 源碼實現細節,即 block 級別的 Softmax。
    的頭像 發表于 01-08 09:26 ?665次閱讀
    OneFlow Softmax算子<b class='flag-5'>源碼</b>解讀<b class='flag-5'>之</b>BlockSoftmax

    OneFlow Softmax算子源碼解讀WarpSoftmax

    寫在前面:近來筆者偶然間接觸了一個深度學習框架 OneFlow,所以這段時間主要在閱讀 OneFlow 框架的 cuda 源碼。官方源碼基于不同場景分三種方式實現 Softmax,本文主要介紹其中一種的實現過程,即 Warp 級
    的頭像 發表于 01-08 09:24 ?765次閱讀
    OneFlow Softmax算子<b class='flag-5'>源碼</b>解讀<b class='flag-5'>之</b>WarpSoftmax

    mybatis映射文件的主要元素及作用

    MyBatis是一種流行的持久層框架,它提供了一種簡單的方式來映射關系型數據庫和Java對象之間的關聯,通過XML配置文件來描述數據庫表和Java類之間的映射關系。在MyBatis的映射文件中,包含
    的頭像 發表于 12-03 14:56 ?2807次閱讀

    mybatis邏輯分頁和物理分頁的區別

    MyBatis是一個開源的Java持久層框架,它與其他ORM(對象關系映射)框架相比,具有更加靈活和高性能的特點。MyBatis提供了兩種分頁方式,即邏輯分頁和物理分頁。在本文中,我們將詳細介紹
    的頭像 發表于 12-03 14:54 ?865次閱讀

    mybatis中$和井號區別

    MyBatis是一個開源的Java持久層框架,它提供了許多強大的功能用于簡化數據庫操作。在MyBatis中,我們可以使用兩種方式來動態生成SQL語句:$和#。 和#都可以用來替換SQL語句中的參數
    的頭像 發表于 12-03 14:53 ?937次閱讀

    mybatis框架的主要作用

    MyBatis框架的主要作用包括以下幾個方面。 數據庫操作的簡化和標準化: MyBatis框架提供了一種簡單的方式來執行數據庫操作,包括插入、更新、刪除和查詢等操作。通過使用MyBatis
    的頭像 發表于 12-03 14:49 ?1983次閱讀

    mybatis一級緩存和二級緩存的原理

    SqlSession的生命周期中,當SqlSession關閉時,一級緩存也會被清空。 1.2 緩存實現機制 一級緩存采用了基于PerpetualCache的HashMap來實現,使用一個Map對象來保存緩存的數據。當執行相同的查詢時,MyBatis會首先尋找一級緩存中是否
    的頭像 發表于 12-03 11:55 ?1098次閱讀

    mybatis和mybatisplus的區別

    MyBatisMyBatis Plus是兩個非常受歡迎的Java持久層框架。這兩個框架在設計和功能上有一些區別,下面我將詳細介紹它們之間的差異以及各自的特點。 設計理念與目標: MyBatis是一
    的頭像 發表于 12-03 11:53 ?2493次閱讀

    mybatis接口動態代理原理

    MyBatis是一款輕量級的Java持久化框架,它通過XML或注解配置的方式,將數據庫操作與SQL語句解耦,提供了一種簡單、靈活的數據訪問方式。在MyBatis中,使用動態代理技術來實現接口的代理
    的頭像 發表于 12-03 11:52 ?912次閱讀

    mybatis的dao能重載嗎

    MyBatis的DAO能否重載? 在MyBatis中,DAO是數據訪問對象的縮寫,用于執行與數據庫交互的操作。MyBatis的DAO可以重載,即可以定義多個具有不同參數的相同方法名的方法,以滿足
    的頭像 發表于 12-03 11:51 ?1235次閱讀