Spring Data Jpa 实现批量插入或更新

1. BatchConsumer

package com.demo.common.hibernate.batch;import com.demo.common.hibernate.querydsl.QueryParameterBuilder;/*** 批量数据消费者接口,用于设置 SQL 参数并执行操作。** @param <T> 记录类型的泛型* @author xm.z*/
@FunctionalInterface
public interface BatchConsumer<T> {/*** 设置 SQL 参数并执行操作。** @param builder     参数构建对象* @param record      要处理的记录*/void accept(QueryParameterBuilder builder, T record);}

2. QueryParameterBuilder

package com.demo.common.hibernate.querydsl;import lombok.AccessLevel;
import lombok.Getter;
import lombok.extern.slf4j.Slf4j;
import org.hibernate.jpa.TypedParameterValue;
import org.hibernate.type.*;
import org.springframework.util.Assert;import javax.persistence.Query;
import java.math.BigDecimal;
import java.time.LocalDate;
import java.time.LocalDateTime;
import java.time.LocalTime;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;/*** QueryParameterBuilder* <p>* A utility class for building parameters for query.** @author xm.z*/
@Slf4j
@Getter
public class QueryParameterBuilder {/*** The native query object to be used for parameter setting*/private final Query nativeQuery;/*** The counter for parameter position*/@Getter(value = AccessLevel.NONE)private final AtomicInteger position;/*** The current date and time when the QueryParameterBuilder instance is created*/private final LocalDateTime now;/*** Private constructor to initialize QueryParameterBuilder*/private QueryParameterBuilder(Query nativeQuery, AtomicInteger position) {this.nativeQuery = nativeQuery;this.position = position;this.now = LocalDateTime.now();}/*** Retrieves the current position of the parameter.** @return The current position of the parameter.*/public Integer obtainCurrentPosition() {return position.get();}/*** Create an instance of QueryParameterBuilder.** @param nativeQuery The native query object* @param position    The parameter position counter* @return QueryParameterBuilder instance*/public static QueryParameterBuilder create(Query nativeQuery, AtomicInteger position) {Assert.notNull(nativeQuery, "Native query must not be null");Assert.notNull(position, "Position must not be null");return new QueryParameterBuilder(nativeQuery, position);}/*** Set a parameter of type Long.** @param value The Long value for the parameter* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(Long value) {return this.setParameter(StandardBasicTypes.LONG, value);}/*** Set a parameter of type Integer.** @param value The Integer value for the parameter* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(Integer value) {return this.setParameter(StandardBasicTypes.INTEGER, value);}/*** Set a parameter of type BigDecimal.** @param value The BigDecimal value for the parameter* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(BigDecimal value) {return this.setParameter(StandardBasicTypes.BIG_DECIMAL, value);}/*** Set a parameter of type String.** @param value The String value for the parameter* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(String value) {return this.setParameter(StandardBasicTypes.STRING, value);}/*** Set a parameter of type Boolean.** @param value The Boolean value for the parameter* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(Boolean value) {return this.setParameter(StandardBasicTypes.BOOLEAN, value);}/*** Set a parameter of type Date.** @param value The Date value for the parameter* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(Date value) {return this.setParameter(StandardBasicTypes.DATE, value);}/*** Set a parameter of type LocalDate.** @param value The LocalDate value for the parameter* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(LocalDate value) {return this.setParameter(LocalDateType.INSTANCE, value);}/*** Set a parameter of type LocalTime.** @param value The LocalTime value for the parameter* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(LocalTime value) {return this.setParameter(LocalTimeType.INSTANCE, value);}/*** Set a parameter of type LocalDateTime.** @param value The LocalDateTime value for the parameter* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(LocalDateTime value) {return this.setParameter(LocalDateTimeType.INSTANCE, value);}/*** Add or include a query condition to the native query object and set the parameter value.** @param type  The parameter type* @param value The parameter value* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(Type type, Object value) {return this.setParameter(position.getAndIncrement(), type, value);}/*** Add or include a query condition to the native query object and set the parameter value at the specified position.** @param position The position of the parameter in the query* @param type     The parameter type* @param value    The parameter value* @return The current QueryParameterBuilder instance*/public QueryParameterBuilder setParameter(int position, Type type, Object value) {TypedParameterValue typedParameterValue = new TypedParameterValue(type, value);if (log.isDebugEnabled()) {log.debug("Setting parameter at position {}: {}", position, typedParameterValue);}nativeQuery.setParameter(position, typedParameterValue);return this;}}

3. KeyValue

package com.demo.common.model;import io.swagger.v3.oas.annotations.media.Schema;
import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;import java.io.Serializable;/*** 用于表示键值对的通用类** @param <K> 键的类型* @param <V> 值的类型* @author xm.z*/
@Data
@NoArgsConstructor
@AllArgsConstructor
public class KeyValue<K, V> implements Serializable {private static final long serialVersionUID = 1L;/*** 键*/@Schema(title = "键")private K key;/*** 值*/@Schema(title = "值")private V value;}

3. SqlUtil

package com.demo.common.hibernate.util;import com.demo.common.hibernate.batch.BatchConsumer;
import com.demo.common.hibernate.querydsl.QueryParameterBuilder;
import com.demo.common.model.KeyValue;
import cn.hutool.extra.spring.SpringUtil;
import cn.hutool.core.collection.CollUtil;
import lombok.extern.slf4j.Slf4j;
import org.jetbrains.annotations.NotNull;
import org.springframework.lang.NonNull;
import org.springframework.lang.Nullable;
import org.springframework.util.Assert;import javax.persistence.EntityManager;
import javax.persistence.Query;
import java.util.Collections;
import java.util.LinkedHashSet;
import java.util.List;
import java.util.concurrent.atomic.AtomicInteger;
import java.util.stream.Collectors;/*** SqlUtil** @author xm.z*/
@Slf4j
@SuppressWarnings("all")
public class SqlUtil {/*** Default batch insert size.*/public static final int DEFAULT_BATCH_SIZE = 100;/*** Private constructor.*/private SqlUtil() {}/*** Batch insert records into the database.** @param tableFields The table fields information* @param records     The list of records to be inserted* @param consumer    The consumer function interface for customizing the insert behavior* @param <T>         The type of records* @return The number of records successfully inserted*/public static <T> int batchInsert(@NonNull KeyValue<String, LinkedHashSet<String>> tableFields,@NonNull List<T> records, @NonNull BatchConsumer<? super T> consumer) {return batchInsert(DEFAULT_BATCH_SIZE, tableFields, records, consumer);}/*** Perform batch insert operation with the specified batch size.** @param batchSize   the size of each batch for insertion* @param tableFields the key-value pair representing the table fields* @param records     the list of records to be inserted* @param consumer    the batch consumer for processing each batch of records* @param <T>         the type of records* @return the total number of records successfully inserted*/public static <T> int batchInsert(int batchSize, @NonNull KeyValue<String, LinkedHashSet<String>> tableFields,@NonNull List<T> records, @NonNull BatchConsumer<? super T> consumer) {EntityManager entityManager = SpringUtil.getBean(EntityManager.class);return batchExecuteUpdate(batchSize, entityManager, tableFields, null, records, consumer);}/*** Batch insert records into the database.** @param entityManager The entity manager* @param tableFields   The table fields information* @param records       The list of records to be inserted* @param consumer      The consumer function interface for customizing the insert behavior* @param <T>           The type of records* @return The number of records successfully inserted*/public static <T> int batchInsert(EntityManager entityManager,@NonNull KeyValue<String, LinkedHashSet<String>> tableFields,@NonNull List<T> records, @NonNull BatchConsumer<? super T> consumer) {return batchExecuteUpdate(DEFAULT_BATCH_SIZE, entityManager, tableFields, null, records, consumer);}/*** Executes batch insert or update operations on the database using native SQL with a default batch size.** @param tableFields  key-value pair representing the table name and its fields* @param updateFields set of fields to be updated if a record with matching primary key exists* @param records      the list of records to be inserted or updated* @param consumer     functional interface for accepting batch consumer operations* @param <T>          the type of the records to be inserted or updated* @return the total number of rows affected by the batch operation*/public static <T> int batchInsertOrUpdate(@NonNull KeyValue<String, LinkedHashSet<String>> tableFields,@NonNull LinkedHashSet<String> updateFields,@NonNull List<T> records, @NonNull BatchConsumer<? super T> consumer) {return batchInsertOrUpdate(DEFAULT_BATCH_SIZE, tableFields, updateFields, records, consumer);}/*** Executes batch insert or update operations on the database using native SQL with a parameterized batch size.** @param batchSize    the size of each batch for insertion* @param tableFields  key-value pair representing the table name and its fields* @param updateFields set of fields to be updated if a record with matching primary key exists* @param records      the list of records to be inserted or updated* @param consumer     functional interface for accepting batch consumer operations* @param <T>          the type of the records to be inserted or updated* @return the total number of rows affected by the batch operation*/public static <T> int batchInsertOrUpdate(int batchSize, @NonNull KeyValue<String, LinkedHashSet<String>> tableFields,@NonNull LinkedHashSet<String> updateFields,@NonNull List<T> records, @NonNull BatchConsumer<? super T> consumer) {EntityManager entityManager = SpringUtil.getBean(EntityManager.class);return batchExecuteUpdate(batchSize, entityManager, tableFields, updateFields, records, consumer);}/*** Executes batch insert or update operations on the database using native SQL with a default batch size.** @param entityManager The entity manager* @param tableFields   key-value pair representing the table name and its fields* @param updateFields  set of fields to be updated if a record with matching primary key exists* @param records       the list of records to be inserted or updated* @param consumer      functional interface for accepting batch consumer operations* @param <T>           the type of the records to be inserted or updated* @return the total number of rows affected by the batch operation*/public static <T> int batchInsertOrUpdate(EntityManager entityManager,@NonNull KeyValue<String, LinkedHashSet<String>> tableFields,@NonNull LinkedHashSet<String> updateFields,@NonNull List<T> records, @NonNull BatchConsumer<? super T> consumer) {return batchExecuteUpdate(DEFAULT_BATCH_SIZE, entityManager, tableFields, updateFields, records, consumer);}/*** Executes batch updates on the database using native SQL with a parameterized batch size.** @param batchSize     the size of each batch for inserting records* @param entityManager the entity manager for creating and executing queries* @param tableFields   key-value pair representing the table name and its fields* @param updateFields  set of fields to be updated if a record with matching primary key exists (optional)* @param records       the list of records to be inserted* @param consumer      functional interface for accepting batch consumer operations* @param <T>           the type of the records to be inserted* @return the total number of rows affected by the batch operation*/private static <T> int batchExecuteUpdate(int batchSize, EntityManager entityManager,@NonNull KeyValue<String, LinkedHashSet<String>> tableFields,@Nullable LinkedHashSet<String> updateFields,@NonNull List<T> records, @NonNull BatchConsumer<? super T> consumer) {if (records.isEmpty()) {log.debug("No records to process. The records list is empty.");return 0;}Assert.notNull(entityManager, "The entity manager must not be null.");Assert.isTrue(batchSize > 0 && batchSize < 500, "The batch size must be between 1 and 500.");AtomicInteger totalRows = new AtomicInteger(0);// Split the records into batches based on the specified batch sizeList<List<T>> recordBatches = CollUtil.split(records, batchSize);for (List<T> batchRecords : recordBatches) {AtomicInteger position = new AtomicInteger(1);// Generate the appropriate SQL statement for the batchString preparedStatementSql = CollUtil.isEmpty(updateFields) ?generateBatchInsertSql(tableFields, batchRecords.size()) :generateBatchInsertOrUpdateSql(tableFields, updateFields, batchRecords.size());// Create a Query instance for executing native SQL statementsQuery nativeQuery = entityManager.createNativeQuery(preparedStatementSql);// Create a parameter builder instance using QueryParameterBuilderQueryParameterBuilder parameterBuilder = QueryParameterBuilder.create(nativeQuery, position);for (T record : batchRecords) {// Set parameters for the prepared statementconsumer.accept(parameterBuilder, record);}// Execute the SQL statement and accumulate the affected rowstotalRows.addAndGet(nativeQuery.executeUpdate());}// Return the total number of affected rowsreturn totalRows.get();}/*** Generate batch insert SQL statement.** <p>* This method generates an SQL statement for batch insertion into a specified table with the provided fields.* Example SQL statement:* <pre>* {@code INSERT INTO TABLE_NAME ( field_1, field_2 ) VALUES ( value_1, value_2 ), (value_3, value_4); }* </pre>* </p>** @param tableFields The key-value pair representing the table name and its associated field set* @param batchSize   The batch size for insertion* @return The batch insert SQL statement*/private static String generateBatchInsertSql(@NonNull KeyValue<String, LinkedHashSet<String>> tableFields, int batchSize) {String preparedStatementSql = generateInsertStatement(tableFields.getKey(), tableFields.getValue(), batchSize);if (log.isDebugEnabled()) {log.debug("[Batch Insert] Prepared {} records SQL: {}", batchSize, preparedStatementSql);}return preparedStatementSql;}/*** Generates SQL statement for batch insert with on duplicate key update.** @param tableFields  Key-value pair representing table name and its corresponding fields.* @param updateFields Fields to be updated in case of duplicate key.* @param batchSize    Number of records to be inserted in a single batch.* @return SQL statement for batch insert with on duplicate key update.* @throws IllegalArgumentException if updateFields collection is empty.*/private static String generateBatchInsertOrUpdateSql(@NonNull KeyValue<String, LinkedHashSet<String>> tableFields,LinkedHashSet<String> updateFields, int batchSize) {Assert.notEmpty(updateFields, "Update field collection cannot be empty.");// Generate the insert statementString insertStatement = generateInsertStatement(tableFields.getKey(), tableFields.getValue(), batchSize);// Initialize StringBuilder with initial capacityStringBuilder builder = new StringBuilder(insertStatement.length() + 100);// Append insert statementbuilder.append(insertStatement).append(" ON DUPLICATE KEY UPDATE ");// Append update clauseString updateClause = updateFields.stream().map(updateField -> updateField + " = VALUES(" + updateField + ")").collect(Collectors.joining(", "));builder.append(updateClause);String preparedStatementSql = builder.toString();if (log.isDebugEnabled()) {log.debug("[Batch Insert On Duplicate Key Update] Prepared {} records SQL: {}", batchSize, preparedStatementSql);}return preparedStatementSql;}@NotNullprivate static String generateInsertStatement(@NonNull String tableName, @NonNull LinkedHashSet<String> fields, int batchSize) {Assert.hasText(tableName, "Table name cannot be empty.");Assert.notNull(fields, "Field collection cannot be empty.");// Set a reasonable initial capacityStringBuilder builder = new StringBuilder(fields.size() * 100);// Concatenate field namesString fieldNames = String.join(", ", fields);String intoTemplate = String.format("INSERT INTO %s (%s) VALUES ", tableName, fieldNames);// Generate placeholdersString placeholders = "(" + String.join(", ", Collections.nCopies(fields.size(), "?")) + ")";// Construct the insert statementbuilder.append(intoTemplate);for (int i = 0; i < batchSize; i++) {if (i > 0) {builder.append(", ");}builder.append(placeholders);}return builder.toString();}}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/web/25150.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

02 Linux 调试手段

1、printk 与打印等级 在 Linux 内核中,内核开发者喜欢 printk 来调试,它与 C 库的 printf() 函数类似。 printk() 与 printf() 区别:printk() 提供输出等级。内核会根据这个等级来判断是否在终端或者串口中输出 log。 1)printk 等级 #define KERN_EMERG KERN_SOH &quo…

主成分分析学习

8 主成分分析 | 多元统计分析讲义 (pku.edu.cn) 清风数学建模学习笔记——主成分分析(PCA)原理详解及案例分析_x10为生均教育经费对以上指标数据做主成分分析&#xff0c;并提取主成分-CSDN博客 PCA&#xff08;主成分分析&#xff09;-------原理&#xff0c;推导&#xff0…

LabVIEW 与组态软件在自动化系统中的应用比较与选择

LabVIEW 确实在非标单机设备、测试和测量系统中有着广泛的应用&#xff0c;特别是在科研、教育、实验室和小型自动化设备中表现突出。然而&#xff0c;LabVIEW 也具备一定的扩展能力&#xff0c;可以用于更复杂和大型的自动化系统。以下是对 LabVIEW 与组态软件在不同应用场景中…

【C++】——Stack与Queue(含优先队列(详细解读)

前言 之前数据结构中是栈和队列&#xff0c;我们分别用的顺序表和链表去实现的&#xff0c;但是对于这里的栈和队列来说&#xff0c;他们是一种容器&#xff0c;更准确来说是一种容器适配器 ✨什么是容器适配器&#xff1f; 从他们的模板参数可以看出&#xff0c;第二个参数模…

Kafka 架构

1 整体架构 1.1 Zookeeper Zookeeper 是一个分布式协调服务&#xff0c;用于管理 Kafka 的元数据。它负责维护 Kafka 集群的配置信息、Broker 列表和分区的 Leader 信息。 Zookeeper 确保了 Kafka 集群的高可用性和可靠性。 但 Zookeeper 已经成为 Kafka 性能瓶颈&#xff0c;…

力扣155. 最小栈

设计一个支持 push &#xff0c;pop &#xff0c;top 操作&#xff0c;并能在常数时间内检索到最小元素的栈。 实现 MinStack 类: MinStack() 初始化堆栈对象。 void push(int val) 将元素val推入堆栈。 void pop() 删除堆栈顶部的元素。 int top() 获取堆栈顶部的元素。 …

开发指南029-el-table-column对齐属性

按开发文档和正常理解&#xff0c;el-table-column具有属性align&#xff0c;可以填left&#xff0c;center&#xff0c;right控制内容的对齐方式。你真正做的时候&#xff0c;就会发现根本不起作用。 查网络&#xff0c;大部分怀疑你用错属性了&#xff0c;elment-ui版本不对&…

SmartDraw Suite Edition 画图软件画表格内存示意图的使用方法

总述&#xff1a;遇到不会画的&#xff0c;比如如何画一条虚线&#xff0c;先将 虚线 翻译成英文&#xff0c;然后在 help 中查询。 新建的时候选择如下&#xff1a; 一、选择 Forms->Blank Form 二、画表格&#xff1a; 三、画箭头&#xff1a;先选择1在选择2 四、编辑文…

ASUS华硕ROG幻14Air笔记本GA403UI(UI UV UU UJ)工厂模式原厂Windows11系统安装包,带MyASUS in WinRE重置还原

适用型号&#xff1a;GA403UI、GA403UV、GA403UU、GA403UJ 链接&#xff1a;https://pan.baidu.com/s/1tz8PZbYKakfvUoXafQPLIg?pwd1mtc 提取码&#xff1a;1mtc 华硕原装WIN11系统工厂包带有ASUS RECOVERY恢复功能、自带面部识别,声卡,显卡,网卡,蓝牙等所有驱动、出厂主题…

Stable Diffusion避坑指南

Stable Diffusion是一个先进的扩散模型&#xff0c;它在图像生成领域取得了显著的进步。 网络上关于Stable Diffusion的教程和模型&#xff0c;数不胜数。 在使用Stable Diffusion时&#xff0c;可能会遇到一些问题和挑战。以下是一份避坑指南&#xff0c;帮助用户避免常见的…

今日早报 每日精选15条新闻简报 每天一分钟 知晓天下事 6月9日,星期日

每天一分钟&#xff0c;知晓天下事&#xff01; 2024年6月9日 星期日 农历五月初四 1、 人社部&#xff1a;个人养老金开户人数已超6000万&#xff0c;其中31岁至40岁的中高收入人群是开户、缴费和购买产品的主力军。 2、 医保局刊文&#xff1a;研究显示集采仿制药替代原研药…

VSC++: 民意调查比例法

void 民意调查比例法() {//缘由https://bbs.csdn.net/topics/396521294?page1#post-411408461从题目描述看&#xff1a;902/3~300.7&#xff0c;1498/5~299.6也就是大约求2个数的公约数&#xff0c;并使得这个公约数尽量求出最小误差&#xff1f;且商小于某值。int a 0, aa …

物理安全防护如何创新强化信息安全体系?

物理安全防护是信息安全体系的重要组成部分&#xff0c;它通过保护实体设施、设备和介质等&#xff0c;防止未授权访问、破坏、盗窃等行为&#xff0c;从而为信息系统提供基础的安全保障。要创新强化信息安全体系中的物理安全防护&#xff0c;可以从以下几个方面着手&#xff1…

VBA高级应用30例应用2实现在列表框内及列表框间实现数据拖动

《VBA高级应用30例》&#xff08;版权10178985&#xff09;&#xff0c;是我推出的第十套教程&#xff0c;教程是专门针对高级学员在学习VBA过程中提高路途上的案例展开&#xff0c;这套教程案例与理论结合&#xff0c;紧贴“实战”&#xff0c;并做“战术总结”&#xff0c;以…

Facebook:社交世界的引领者

导语 在当今数字化时代&#xff0c;Facebook已经成为了人们社交生活的重要一环。然而&#xff0c;除了成为社交媒体的象征外&#xff0c;它还在不断探索并领导着社交世界的新方向。 1. 社交平台的发展者 Facebook不仅仅是一个社交平台&#xff0c;更是社交方式的引领者。从其…

MathType7.8永久破解版下载 让数学学习变得简单有趣!

大家好&#xff0c;我是科技评论家。今天给大家推荐一款非常实用的数学公式编辑器——MathType 7.8&#xff01;&#x1f4f1;&#x1f4b0; 在数字化时代&#xff0c;学术研究、教学和科研领域中的数学公式编辑需求越来越高。而MathType 7.8作为一个广受欢迎的数学公式编辑器&…

swaks一键启动邮箱信息测试(KALI工具系列十九)

目录 1、KALI LINUX 简介 2、swak工具简介 3、临时邮箱 4、操作实例 4.1 测试邮箱连通性 4.2 假冒发送方 4.3 发送文件 5、总结 1、KALI LINUX 简介 Kali Linux 是一个功能强大、多才多艺的 Linux 发行版&#xff0c;广泛用于网络安全社区。它具有全面的预安装工具和功…

MSP432E401Y Launchpad硬件电路

MSP432E401Y是一款32位Arm Cortex-M4F内核的MCU&#xff0c;主频120MHz、256KB SRAM、1MB Flash、6KB EEPROM&#xff0c;具有丰富的通信外设&#xff0c;例如支持以太网、2个CAN、8个UART、4个QSSI(SPI)、10 个I2C; 同时还有2个12 位SAR的ADC模块&#xff0c;每个模块支持高…

探索智慧景区的总体架构与应用

背景&#xff1a; 在旅游业快速发展的今天&#xff0c;智慧景区已成为提升景区管理水平、提高游客体验的重要手段之一。智慧景区系统的总体架构设计与应用&#xff0c;将现代信息技术与景区管理相结合&#xff0c;为景区的运营管理和游客服务提供了新的思路和解决方案。本文将…

【诈骗离你我很近】中国同胞进来看看国外诈骗新套路。

前几天一个老外经常在CSDN给我发消息&#xff0c;我最开始很警惕&#xff0c;不过聊了大概半个月&#xff0c;我就没怎么怀疑他了&#xff0c;而且还很高兴认识了一个外国朋友。这半个月聊天内容很正常&#xff0c;就聊些中国的小习惯&#xff0c;让我教他用筷子。还问我有哪些…