当前位置: 首页 > news >正文

网站开发与推广遵义网站建设哪家好

网站开发与推广,遵义网站建设哪家好,网站建设 维护 运营情况报告,网站中文通用网址域名Mybatis-Plus 的批量保存saveBatch 性能分析 目录 Mybatis-Plus 的批量保存saveBatch 性能分析背景批量保存的使用方案循环插入使用PreparedStatement 预编译优点#xff1a;缺点#xff1a; Mybatis-Plus 的saveBatchMybatis-Plus实现真正的批量插入自定义sql注入器定义通用…Mybatis-Plus 的批量保存saveBatch 性能分析 目录 Mybatis-Plus 的批量保存saveBatch 性能分析背景批量保存的使用方案循环插入使用PreparedStatement 预编译优点缺点 Mybatis-Plus 的saveBatchMybatis-Plus实现真正的批量插入自定义sql注入器定义通用mapperCommonMapper将自定义的注入器加载到容器中业务mapper测试优化 执行性能比较rewriteBatchedStatements 参数分析 背景 昨天同事问我mybatis-plus 自动生成的service 里面提供的savebatch 最后生成的批量插入语句是多条insert 而不是insert...vaues (),()的语句这样是不是跟我们使用循环调用没区别这样的批量插入是不是有性能问题下面我们就此问题来进行分析一下。 批量保存的使用方案 循环插入 使用 for 循环一条一条的插入这个方式比较简单直观,灵活但是这个 对于大型数据集使用for循环逐条插入数据可能会导致性能问题特别是在网络延迟高或数据库负载大的情况下。使用for循环进行数据插入时需要注意事务管理确保数据的一致性和完整性。如果不适当地管理事务可能会导致数据不一致或丢失。而且每次循环迭代都需要建立和关闭数据库连接这可能会导致额外的数据库连接开销影响性能。 使用PreparedStatement 预编译 使用预处理的方式进行批量插入是一种常见的优化方法它可以显著提高插入操作的性能。 优点 性能提升 预处理可以减少每次插入操作中的数据库通信次数从而降低了网络通信的开销提高了插入操作的效率和性能。 减少数据库负载 将多条数据组合成批量插入的方式可以减少数据库服务器的负载降低了数据库系统的压力有助于提高整个系统的性能。 减少连接开销 预处理可以减少每次循环迭代中建立和关闭数据库连接的开销从而节省了系统资源提高了连接的复用率。 事务管理可以将多个插入操作放在一个事务中以确保数据的一致性和完整性并在发生错误时进行回滚从而保证数据的安全性。 缺点 内存消耗 将多条数据组合成批量插入的方式可能会增加内存消耗特别是在处理大量数据时。因此需要注意内存的使用情况以避免内存溢出或性能下降。 数据格式转换 在将数据组合成批量插入时可能需要进行数据格式转换或数据清洗操作这可能会增加代码的复杂度和维护成本。 可读性降低 预处理方式可能会使代码结构变得复杂降低了代码的可读性和可维护性特别是对于一些初学者或新加入团队的开发人员来说可能会造成困扰 所以由此可见预编译方式性能较好如果想避免内存问题的话其实使用分批插入也可以解决这个问题。 Mybatis-Plus 的saveBatch 直接看源码 /*** 批量插入** param entityList ignore* param batchSize ignore* return ignore*/Transactional(rollbackFor Exception.class)Overridepublic boolean saveBatch(CollectionT entityList, int batchSize) {String sqlStatement getSqlStatement(SqlMethod.INSERT_ONE);return executeBatch(entityList, batchSize, (sqlSession, entity) - sqlSession.insert(sqlStatement, entity));}/*** 执行批量操作** param entityClass 实体类* param log 日志对象* param list 数据集合* param batchSize 批次大小* param consumer consumer* param E T* return 操作结果* since 3.4.0*/public static E boolean executeBatch(Class? entityClass, Log log, CollectionE list, int batchSize, BiConsumerSqlSession, E consumer) {Assert.isFalse(batchSize 1, batchSize must not be less than one);return !CollectionUtils.isEmpty(list) executeBatch(entityClass, log, sqlSession - {int size list.size();int idxLimit Math.min(batchSize, size);int i 1;for (E element : list) {consumer.accept(sqlSession, element);if (i idxLimit) {sqlSession.flushStatements();idxLimit Math.min(idxLimit batchSize, size);}i;}});} 通过代码可以发现2个点第一个就是批量保存的时候会默认进行分批每批的大小为1000条数据第二点就是通过代码 return executeBatch(entityList, batchSize, (sqlSession, entity) - sqlSession.insert(sqlStatement, entity));和 for (E element : list) {consumer.accept(sqlSession, element);if (i idxLimit) {sqlSession.flushStatements();idxLimit Math.min(idxLimit batchSize, size);}i;}可以看出插入是循环插入并没有进行拼接处理。但是这里唯一不同与循环插入的是可以看到这里是通过sqlSession.flushStatements()将一个个单条插入的insert语句分批次进行提交用的是同一个sqlSession。 这里其实就可以看出来mybatis-plus的批量插入实际上不是真正意义上的批量插入。那如果想实现真正的批量插入就只能手动拼接脚本吗其实mybatis-plus提供了sql注入器我们可以自定义方法来满足业务的实际开发需求。官方文档:https://baomidou.com/pages/42ea4a/ Mybatis-Plus实现真正的批量插入 自定义sql注入器 /*** author leo* date 2024年03月13日 15:16*/ public class BatchSqlInjector extends DefaultSqlInjector {Overridepublic ListAbstractMethod getMethodList(Class? mapperClass, TableInfo tableInfo) {ListAbstractMethod methodList super.getMethodList(mapperClass,tableInfo);//更新时自动填充的字段不用插入值methodList.add(new InsertBatchSomeColumn(i - i.getFieldFill() ! FieldFill.UPDATE));return methodList;} }定义通用mapperCommonMapper /*** author leo* date 2024年03月13日 16:34*/ public interface CommonMapperT extends BaseMapperT {/*** 真正的批量插入* param entityList* return*/int insertBatch(ListT entityList); }将自定义的注入器加载到容器中 /*** author leo* date 2024年03月13日 15:41*/ Configuration public class MybatisPlusConfig {Beanpublic BatchSqlInjector sqlInjector() {return new BatchSqlInjector();} } 业务mapper /**** author leo* since 2024-01-11*/ public interface LlfInfoMapper extends CommonMapperLlfInfoEntity {}测试 ListLlfInfoEntity llfInfoEntities new ArrayList();for (int i 0; i 10; i) {LlfInfoEntity llfInfoEntity new LlfInfoEntity();llfInfoEntity.setChannelNum(i );llfInfoEntity.setGroupNumber(i);llfInfoEntity.setFlight(i1);llfInfoEntity.setIdNumber(isadsadsad);llfInfoEntities.add(llfInfoEntity);}llfInfoMapper.insertBatch(llfInfoEntities);这里我们看下控制台打印的语句 很明显达到了我们的效果。 优化 这里可以看到InsertBatchSomeColumn 方法没有批次的概念如果没有批次的话那这里地方可能会有性能问题你想想如果这个条数无穷大的话我那这个sql语句会非常大不仅会超出mysql的执行sql的长度限制也会造成oom。那么这里我们就需要自己实现一下批次插入了不知道大家还有没有印象前面的saveBatch()方法是怎么实现批次插入的。我们也可以参考一下实现方式。直接上代码 public boolean executeBatch(CollectionLlfInfoEntity list, int batchSize) {int size list.size();int idxLimit Math.min(batchSize, size);int i 1;ListLlfInfoEntity batchList new ArrayList();for (LlfInfoEntity element : list) {batchList.add(element);if (i idxLimit) {llfInfoMapper.insertBatchSomeColumn(batchList);batchList.clear();idxLimit Math.min(idxLimit batchSize, size);}i;}return true;}测试代码 ListLlfInfoEntity llfInfoEntities new ArrayList();for (int i 0; i 10; i) {LlfInfoEntity llfInfoEntity new LlfInfoEntity();llfInfoEntity.setChannelNum(i );llfInfoEntity.setGroupNumber(i );llfInfoEntity.setFlight(i 1);llfInfoEntity.setIdNumber(i sadsadsad);llfInfoEntities.add(llfInfoEntity);}executeBatch(llfInfoEntities,5); 看执行结果: 这里就实现了真正的批量插入了。 执行性能比较 这里我就不去具体展现测试数据了直接下结论了。 首先最快的肯定是手动拼sql脚本和mybatis-plus的方式速度最快其次是mybatis-plus的saveBatch。这里要说下有很多文章都说需要单独配置rewriteBatchedStatements参数才会启用saveBatch的批量插入方式。但是我这边跟进源码进行查看的时候默认值就是true所以我猜测可能是版本问题下面会附上版本以及源码供大家参考。 rewriteBatchedStatements 参数分析 首选我们通过com.baomidou.mybatisplus.extension.toolkit.SqlHelper#executeBatch(java.lang.Class?, org.apache.ibatis.logging.Log, java.util.CollectionE, int, java.util.function.BiConsumerorg.apache.ibatis.session.SqlSession,E)l里面的sqlSession.flushStatements();代码可以跟踪到mysql驱动包里面的com.mysql.cj.jdbc.StatementImpl#executeBatch下面这段代码 Overridepublic int[] executeBatch() throws SQLException {return Util.truncateAndConvertToInt(executeBatchInternal());}protected long[] executeBatchInternal() throws SQLException {JdbcConnection locallyScopedConn checkClosed();synchronized (locallyScopedConn.getConnectionMutex()) {if (locallyScopedConn.isReadOnly()) {throw SQLError.createSQLException(Messages.getString(Statement.34) Messages.getString(Statement.35),MysqlErrorNumbers.SQL_STATE_ILLEGAL_ARGUMENT, getExceptionInterceptor());}implicitlyCloseAllOpenResults();ListObject batchedArgs this.query.getBatchedArgs();if (batchedArgs null || batchedArgs.size() 0) {return new long[0];}// we timeout the entire batch, not individual statementsint individualStatementTimeout getTimeoutInMillis();setTimeoutInMillis(0);CancelQueryTask timeoutTask null;try {resetCancelledState();statementBegins();try {this.retrieveGeneratedKeys true; // The JDBC spec doesnt forbid this, but doesnt provide for it either...we do..long[] updateCounts null;if (batchedArgs ! null) {int nbrCommands batchedArgs.size();this.batchedGeneratedKeys new ArrayList(batchedArgs.size());boolean multiQueriesEnabled locallyScopedConn.getPropertySet().getBooleanProperty(PropertyKey.allowMultiQueries).getValue();if (multiQueriesEnabled || this.rewriteBatchedStatements.getValue() nbrCommands 4) {return executeBatchUsingMultiQueries(multiQueriesEnabled, nbrCommands, individualStatementTimeout);}timeoutTask startQueryTimer(this, individualStatementTimeout);updateCounts new long[nbrCommands];for (int i 0; i nbrCommands; i) {updateCounts[i] -3;}SQLException sqlEx null;int commandIndex 0;for (commandIndex 0; commandIndex nbrCommands; commandIndex) {try {String sql (String) batchedArgs.get(commandIndex);updateCounts[commandIndex] executeUpdateInternal(sql, true, true);if (timeoutTask ! null) {// we need to check the cancel state on each iteration to generate timeout exception if neededcheckCancelTimeout();}// limit one generated key per OnDuplicateKey statementgetBatchedGeneratedKeys(this.results.getFirstCharOfQuery() I containsOnDuplicateKeyInString(sql) ? 1 : 0);} catch (SQLException ex) {updateCounts[commandIndex] EXECUTE_FAILED;if (this.continueBatchOnError !(ex instanceof MySQLTimeoutException) !(ex instanceof MySQLStatementCancelledException) !hasDeadlockOrTimeoutRolledBackTx(ex)) {sqlEx ex;} else {long[] newUpdateCounts new long[commandIndex];if (hasDeadlockOrTimeoutRolledBackTx(ex)) {for (int i 0; i newUpdateCounts.length; i) {newUpdateCounts[i] java.sql.Statement.EXECUTE_FAILED;}} else {System.arraycopy(updateCounts, 0, newUpdateCounts, 0, commandIndex);}sqlEx ex;break;//throw SQLError.createBatchUpdateException(ex, newUpdateCounts, getExceptionInterceptor());}}}if (sqlEx ! null) {throw SQLError.createBatchUpdateException(sqlEx, updateCounts, getExceptionInterceptor());}}if (timeoutTask ! null) {stopQueryTimer(timeoutTask, true, true);timeoutTask null;}return (updateCounts ! null) ? updateCounts : new long[0];} finally {this.query.getStatementExecuting().set(false);}} finally {stopQueryTimer(timeoutTask, false, false);resetCancelledState();setTimeoutInMillis(individualStatementTimeout);clearBatch();}}} 我们主要核心看一下这个代码 if (multiQueriesEnabled || this.rewriteBatchedStatements.getValue() nbrCommands 4) {return executeBatchUsingMultiQueries(multiQueriesEnabled, nbrCommands, individualStatementTimeout);}能进入if语句并执行批处理方法 executeBatchUsingMultiQueryies 的条件如下: allowMultiQueries truerewriteBatchedStatementstrue数据总条数 4条 PropertyKey.java中定义了 multiQueriesEnables和 rewriteBatchedStatements 的枚举值,com.mysql.cj.conf.PropertyKey如下: 可以看出这个参数都是true。所以我这边默认就是支持批量操作的。 mybatis-plus 版本3.5.10 mysql-connector-java版本8.0.31 Queryies 的条件如下: allowMultiQueries truerewriteBatchedStatementstrue数据总条数 4条 PropertyKey.java中定义了 multiQueriesEnables和 rewriteBatchedStatements 的枚举值,com.mysql.cj.conf.PropertyKey如下: [外链图片转存中…(img-nwh8oV0y-1710751858305)] [外链图片转存中…(img-AmPKylvo-1710751858305)] 可以看出这个参数都是true。所以我这边默认就是支持批量操作的。 mybatis-plus 版本3.5.10 mysql-connector-java版本8.0.31
http://www.dnsts.com.cn/news/149917.html

相关文章:

  • 广州网站建设公司网站哪些网站可以接任务做兼职
  • 阿里云服务器建立网站吗vs做网站登录界面
  • 上海建筑工程有限公司有哪些上优化
  • 专门做汽车配件的网站js 获取 网站路径
  • 投资公司网站设计保定做网站多钱
  • H5网站整站北京贸易公司网站制作
  • 网站的logo怎么换关于旅游网站建设的方案
  • 安阳网站自然优化wordpress single模板
  • wordpress怎么搜索网站搭建网站怎么挣钱
  • 在百度上注册公司网站要多少钱成都网站推广营销微信
  • 创建平台网站下载链接网站 域名空间 调试
  • 电子商务网站建设服务外包佛山自助建站软件
  • 网站图片自动切换怎么做定制网站开发报价单
  • 域名注册以后怎样做网站erp管理软件开发公司
  • 甜品网站建设规划网站百度权重查询
  • 张家港建设局门户网站陕西省建设厅三类人员报名网站
  • 如何把网站做的更好wordpress搬家404
  • 啊宝贝才几天没做网站网站建设公司市场定位
  • 外国网站在内地做seo2020最成功的网络营销
  • 网站开发与设计实训报告最好看免费观看高清大全宫崎骏
  • 陕西城乡建设部网站深圳市无限空间工业设计有限公司
  • 建设网站采用的网络技术企业营销策划书模板范文
  • 网站开发的形式合肥网站建设的公司
  • 购物网站页面设计新华网官网首页
  • 外贸网站建站那家公司好网站建设项目需求说明书
  • 收录好的网站有哪些保山做网站
  • 化工网站制作网站建设资源平台
  • 专题网站开发报价怎么做一直弹窗口网站
  • 网站首次备案 多久手机怎么登录微信网页版
  • 网站引入优酷视频旅游网站规划设计与建设