java如何解压压缩包以及利用POI合并表格

jie

这是我在工作中遇到的业务

用户导入压缩包,压缩包里面有多个excel,每个excel有多个sheet,我需要解压,合并所有excel然后读取每一个sheet,最终写入数据库

@PostMapping("/importExcelForPVT")@ApiOperationSupport(order = 9)@ApiOperation(value = "导入excel数据", notes = "传入excel文件")public R importExcelForPVT(@RequestParam("file") MultipartFile file,@RequestParam("batchName") String batchName) throws IOException {List<PvtTotalBatchEntity> list = pvtTotalBatchService.list(new QueryWrapper<PvtTotalBatchEntity>().lambda().eq(PvtTotalBatchEntity::getName, batchName));if (list.size() > 0) {return R.fail("批次名已存在");}if (file.isEmpty()) {//判断文件是否为空return R.fail("上传数据非法");}String fileName = file.getOriginalFilename(); //获得文件名if(!fileName.endsWith("zip")){return R.fail(fileName + "不是zip压缩文件");}//这行代码构造了目标文件路径,将文件保存在名为"import_pvt"的目录下,文件名保持不变。Path dest = Paths.get("files",  fileName);//保存文件在本地try {if(!dest.toFile().exists()){Files.createDirectories(dest);}Files.copy(file.getInputStream(), dest, StandardCopyOption.REPLACE_EXISTING);} catch (IOException e) {log.error("上传文件异常,"+e.getMessage());return R.fail(fileName + ":保存文件异常");}String uuid = UUID.randomUUID().toString();//		String batchName = FileNameUtil.getBaseName(fileName);Path dir = Paths.get("files",  uuid);UnzipUtils.unzipFile(dest.toFile().getAbsolutePath(), dir.toFile().getAbsolutePath());//现在五个excel文件都在dir目录下,接下来要做的是将这五个文件合成一个excel,sheet名不变File mergeExcelFile = MergeExcelUtil.mergeExcelFiles(dir);
//将合并后的excel文件导入数据库ETLExecutionThreadLocal.setStartTime(System.currentTimeMillis());String s = odsPvtService.importAllSheet(mergeExcelFile,batchName);dwPvtServiceImpl.ODdsToDw();if (s.equals("success")) {return R.success("导入成功");} else {throw new RuntimeException(s);}}

public class UnzipUtils {/*** 解压zip压缩文件到指定目录** @param zipPath zip压缩文件绝对路径* @param descDir 指定的解压目录*/public static void unzipFile(String zipPath, String descDir) throws IOException {try {File zipFile = new File(zipPath);if (!zipFile.exists()) {throw new IOException("要解压的压缩文件不存在");}File pathFile = new File(descDir);if (!pathFile.exists()) {pathFile.mkdirs();}InputStream input = new FileInputStream(zipPath);unzipWithStream(input, descDir);} catch (Exception e) {throw new IOException(e);}}/*** 解压** @param inputStream* @param descDir*/public static void unzipWithStream(InputStream inputStream, String descDir) {if (!descDir.endsWith(File.separator)) {descDir = descDir + File.separator;}try (ZipInputStream zipInputStream = new ZipInputStream(inputStream, Charset.forName("GBK"))) {ZipEntry zipEntry;while ((zipEntry = zipInputStream.getNextEntry()) != null) {String zipEntryNameStr = zipEntry.getName();String zipEntryName = zipEntryNameStr;if (zipEntryNameStr.contains("/")) {String str1 = zipEntryNameStr.substring(0, zipEntryNameStr.indexOf("/"));zipEntryName = zipEntryNameStr.substring(str1.length() + 1);}String outPath = (descDir + zipEntryName).replace("\\\\", "/");File outFile = new File(outPath.substring(0, outPath.lastIndexOf('\\')));if (!outFile.exists()) {outFile.mkdirs();}if (new File(outPath).isDirectory()) {continue;}writeFile(outPath, zipInputStream);zipInputStream.closeEntry();}System.out.println("======解压成功=======");} catch (IOException e) {System.out.println("压缩包处理异常,异常信息{}" + e);}}//将流写到文件中public static void writeFile(String filePath, ZipInputStream zipInputStream) {try (OutputStream outputStream = new FileOutputStream(filePath)) {byte[] bytes = new byte[4096];int len;while ((len = zipInputStream.read(bytes)) != -1) {outputStream.write(bytes, 0, len);}} catch (IOException ex) {System.out.println("解压文件时,写出到文件出错");}}//测试方法public static void main(String[] args) throws IOException {String zipPath = "D:/test/测试文件.zip";String descDir = "D:/test/解压/";unzipFile(zipPath, descDir);}
}
public class MergeExcelUtil {public static File mergeExcelFiles(Path dir) {Workbook mergedWorkbook = new XSSFWorkbook();File mergedExcelFile = null;try {// Get all files in the directoryFile[] files = dir.toFile().listFiles();if (files != null) {for (File file : files) {if (file.getName().endsWith(".xlsx")) {FileInputStream fileInputStream = new FileInputStream(file);Workbook workbook = WorkbookFactory.create(fileInputStream);for (int i = 0; i < workbook.getNumberOfSheets(); i++) {Sheet sheet = workbook.getSheetAt(i);Sheet newSheet = mergedWorkbook.createSheet(sheet.getSheetName());// Copy content from original sheet to the merged workbookIterator<Row> rowIterator = sheet.rowIterator();while (rowIterator.hasNext()) {Row row = rowIterator.next();Row newRow = newSheet.createRow(row.getRowNum());Iterator<Cell> cellIterator = row.cellIterator();while (cellIterator.hasNext()) {Cell cell = cellIterator.next();Cell newCell = newRow.createCell(cell.getColumnIndex());String cellValue = "";switch (cell.getCellTypeEnum()) {case STRING:cellValue = cell.getStringCellValue();break;case BOOLEAN:cellValue = String.valueOf(cell.getBooleanCellValue());break;case NUMERIC:if (DateUtil.isCellDateFormatted(cell)) {Date date = cell.getDateCellValue();// 操作日期值的代码cellValue = date.toString();}double excelDateValue  = cell.getNumericCellValue();if (excelDateValue % 1 == 0) {//判断是否有小数点后面带0// 如果小数部分为 0,则转换为整数形式cellValue = String.valueOf((int) excelDateValue);} else {// 如果有非零小数部分,则保留小数部分cellValue = String.valueOf(excelDateValue);}
//                                            cellValue = String.valueOf(excelDateValue);break;case ERROR:cellValue = String.valueOf(cell.getErrorCellValue());break;case FORMULA:cellValue = cell.getCellFormula(); // Handle formula cellbreak;case BLANK:cellValue = ""; // Handle blank cellbreak;default:cellValue = "Not supported data type";}// 设置新单元格的值newCell.setCellValue(cellValue);}}}fileInputStream.close();}}Path mergedExcelFilePath = dir.resolve("mergedExcel.xlsx");mergedExcelFile = new File(mergedExcelFilePath.toString());FileOutputStream fileOut = new FileOutputStream(mergedExcelFile);mergedWorkbook.write(fileOut);fileOut.close();}} catch (IOException e) {e.printStackTrace();} catch (InvalidFormatException e) {throw new RuntimeException(e);}return mergedExcelFile;}}
@EtlLog@Transactional@Overridepublic String importAllSheet(File file, String batchName) {//		try (InputStream inputStream = file.getInputStream()) {// 创建临时文件File tempFile = file;// 读取Excel数据List<LunchDataMultiSheetListener> listenerList = readExcelData(tempFile);//新建 pvt的总批次号PvtTotalBatchEntity pvtTotalBatchEntity = new PvtTotalBatchEntity();pvtTotalBatchEntity.setName(batchName);pvtTotalBatchService.save(pvtTotalBatchEntity);// 处理Excel数据Map<String, List<Object>> stringListMap = handleExcelData(listenerList,pvtTotalBatchEntity.getId());for (String s : stringListMap.keySet()) {List<Object> objects = stringListMap.get(s);switch (s) {case "特质焦虑问卷":List<OdsPvtSasEntity> entities = (List<OdsPvtSasEntity>) (List<?>) objects;odsPvtSasService.saveBatch(entities);break;case "压力知觉量表":List<OdsPvtPssEntity> pssEntities = (List<OdsPvtPssEntity>) (List<?>) objects;odsPvtPssService.saveBatch(pssEntities);break;case "生活满意度量表":List<OdsPvtSwlsEntity> shsEntities = (List<OdsPvtSwlsEntity>) (List<?>) objects;odsPvtSwlsService.saveBatch(shsEntities);break;case "主观幸福感量表":List<OdsPvtShsEntity> sdsEntities = (List<OdsPvtShsEntity>) (List<?>) objects;odsPvtShsService.saveBatch(sdsEntities);break;case "抑郁自评量表":List<OdsPvtSdsEntity> mlqEntities = (List<OdsPvtSdsEntity>) (List<?>) objects;odsPvtSdsService.saveBatch(mlqEntities);break;case "生命意义感量表":List<OdsPvtMlqEntity> mlqEntities1 = (List<OdsPvtMlqEntity>) (List<?>) objects;odsPvtMlqService.saveBatch(mlqEntities1);break;case "自尊量表":List<OdsPvtSesEntity> sesEntities = (List<OdsPvtSesEntity>) (List<?>) objects;odsPvtSesService.saveBatch(sesEntities);break;case "人格特质维度问卷":List<OdsPvtDyEntity> dyEntities = (List<OdsPvtDyEntity>) (List<?>) objects;odsPvtDyService.saveBatch(dyEntities);break;case "大五人格问卷":List<OdsPvtNeoFfiEntity> neoFfiEntity = (List<OdsPvtNeoFfiEntity>) (List<?>) objects;odsPvtNeoFfiService.saveBatch(neoFfiEntity);break;case "TKI冲突模式量表":List<OdsPvtTkiEntity> tkiFfiEntity = (List<OdsPvtTkiEntity>) (List<?>) objects;odsPvtTkiService.saveBatch(tkiFfiEntity);break;case "人际关系量表":List<OdsPvtNriEntity> nriEntity = (List<OdsPvtNriEntity>) (List<?>) objects;odsPvtNriService.saveBatch(nriEntity);break;case "亲社会行为倾向量表":List<OdsPvtPtmEntity> ptmEntity = (List<OdsPvtPtmEntity>) (List<?>) objects;odsPvtPtmService.saveBatch(ptmEntity);break;case "Buss-Warren攻击问卷":List<OdsPvtBwaqEntity> waqEntity = (List<OdsPvtBwaqEntity>) (List<?>) objects;odsPvtBwaqService.saveBatch(waqEntity);break;case "加工速度测评":List<OdsPvtSgEntity> waqEntity1 = (List<OdsPvtSgEntity>) (List<?>) objects;odsPvtSgService.saveBatch(waqEntity1);break;case "执行功能测评":List<OdsPvtTsEntity> tsEntity = (List<OdsPvtTsEntity>) (List<?>) objects;odsPvtTsService.saveBatch(tsEntity);break;case "情景记忆测评":List<OdsPvtEmEntity> waqEntity2 = (List<OdsPvtEmEntity>) (List<?>) objects;odsPvtEmService.saveBatch(waqEntity2);break;case "工作记忆测评":List<OdsPvtWmEntity> waqEntity3 = (List<OdsPvtWmEntity>) (List<?>) objects;odsPvtWmService.saveBatch(waqEntity3);break;case "注意力测评":List<OdsPvtSzhxEntity> waqEntity4 = (List<OdsPvtSzhxEntity>) (List<?>) objects;odsPvtSzhxService.saveBatch(waqEntity4);break;case "逻辑推理测评":List<OdsPvtRpmsEntity> waqEntity5 = (List<OdsPvtRpmsEntity>) (List<?>) objects;odsPvtRpmsService.saveBatch(waqEntity5);break;case "视空间测评":List<OdsPvtMrEntity> waqEntity6 = (List<OdsPvtMrEntity>) (List<?>) objects;odsPvtMrService.saveBatch(waqEntity6);break;case "特质应对方式问卷":List<OdsPvtTcsqEntity> waqEntity7 = (List<OdsPvtTcsqEntity>) (List<?>) objects;odsPvtTcsqService.saveBatch(waqEntity7);break;case "情绪调节量表":List<OdsPvtErqEntity> waqEntity8 = (List<OdsPvtErqEntity>) (List<?>) objects;odsPvtErqService.saveBatch(waqEntity8);break;case "心理弹性量表":List<OdsPvtCdRiscEntity> waqEntity9 = (List<OdsPvtCdRiscEntity>) (List<?>) objects;odsPvtCdRiscService.saveBatch(waqEntity9);break;case "自我效能感量表":List<OdsPvtGsesEntity> waqEntity10 = (List<OdsPvtGsesEntity>) (List<?>) objects;odsPvtGsesService.saveBatch(waqEntity10);break;case "基本信息调查表":List<OdsPvtBaseInfoEntity> odsPvtBaseInfoEntities = (List<OdsPvtBaseInfoEntity>) (List<?>) objects;odsPvtBaseInfoEntities.forEach(entity ->{if (entity.getTestTime().contains(".")){// 将日期值转换为 Date 类型Date date = DateUtil.getJavaDate(Double.parseDouble(entity.getTestTime()));
// 创建 SimpleDateFormat 实例,指定日期时间格式SimpleDateFormat sdf = new SimpleDateFormat("yyyy:MM:dd HH:mm:ss");
// 将日期值格式化为指定格式的字符String formattedDateTime = sdf.format(date);entity.setTestTime(formattedDateTime);}});odsPvtBaseInfoService.saveBatch(odsPvtBaseInfoEntities);break;default:// 可选:如果存在无法识别的实体类名称,可以选择抛出异常或进行适当处理break;}}return "success";
//		} catch (IOException e) {
//			e.printStackTrace();
//			return e.getMessage();
//		}}/*** 读取Excel数据*/private List<LunchDataMultiSheetListener> readExcelData(File file) {ExcelReader excelReader = EasyExcel.read(file).build();List<ReadSheet> sheets = excelReader.excelExecutor().sheetList();List<LunchDataMultiSheetListener> listenerList = sheets.stream().map(sheet -> {LunchDataMultiSheetListener listener = new LunchDataMultiSheetListener();ReadSheet readSheet = EasyExcel.readSheet(sheet.getSheetNo()).registerReadListener(listener).build();excelReader.read(readSheet);List<List<String>> dataList = listener.getDataList();return listener;}).collect(Collectors.toList());excelReader.finish();return listenerList;}/*** 创建临时文件*/private File createTempFile(MultipartFile file) throws IOException {String originalFilename = file.getOriginalFilename();String[] filename = originalFilename.split("\\.");File tempFile = File.createTempFile(filename[0], "." + filename[1] + ".");file.transferTo(tempFile);tempFile.deleteOnExit();return tempFile;}//业务层private Map<String, List<Object>> handleExcelData(List<LunchDataMultiSheetListener> listenerList, Long batchId) {DateTimeFormatter formatter = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss");Map<String, List<Object>> entityMap = new HashMap<>();listenerList.forEach(listener -> listener.getDataList().forEach(lineData -> {System.out.println("lineData = " + lineData);// 其它业务处理。。String type = lineData.get(2);Class entityClassBySheetName = getEntityClassBySheetName(type);if (entityClassBySheetName == null) {return;}// 使用反射创建新的对象try {Object entity = entityClassBySheetName.newInstance();// 设置属性值Field[] fields = entityClassBySheetName.getDeclaredFields();for (int i = 0; i < lineData.size(); i++) {if (i == lineData.size() - 1) {try {Field field = fields[i];field.setAccessible(true);String dateTimeString = lineData.get(i);LocalDateTime localDateTime = LocalDateTime.parse(dateTimeString, formatter);field.set(entity, localDateTime);continue;} catch (Exception e) {//最后一个字段类型可能是String类型,如果出问题,那就直接填字符串Field field = fields[i];field.setAccessible(true);field.set(entity, lineData.get(i));continue;}}Field field = fields[i];field.setAccessible(true);field.set(entity, lineData.get(i));}Field importTimeField =fields[lineData.size()];importTimeField.setAccessible(true);importTimeField.set(entity, LocalDateTime.now());// 找到名为 totalBatch 的属性,然后统一设置属性值Field totalBatchField = entityClassBySheetName.getDeclaredField("totalBatch");totalBatchField.setAccessible(true);totalBatchField.set(entity, batchId);// 将对象添加到对应的列表中List<Object> entityList = entityMap.getOrDefault(type, new ArrayList<>());entityList.add(entity);entityMap.put(type, entityList);} catch (InstantiationException | IllegalAccessException e) {e.printStackTrace();// 处理异常} catch (NoSuchFieldException e) {throw new RuntimeException(e);}}));return entityMap;}// 根据 sheetName 返回对应的实体类型private Class getEntityClassBySheetName(String sheetName) {// 在此根据 sheetName 返回对应的实体类型,例如:if (sheetName.equals("特质焦虑问卷")) {return OdsPvtSasEntity.class;} else if (sheetName.equals("压力知觉量表")) {return OdsPvtPssEntity.class;} else if (sheetName.equals("生活满意度量表")) {return OdsPvtSwlsEntity.class;} else if (sheetName.equals("主观幸福感量表")) {return OdsPvtShsEntity.class;} else if (sheetName.equals("抑郁自评量表")) {return OdsPvtSdsEntity.class;} else if (sheetName.equals("生命意义感量表")) {return OdsPvtMlqEntity.class;} else if (sheetName.equals("自尊量表")) {return OdsPvtSesEntity.class;} else if (sheetName.equals("人格特质维度问卷")) {return OdsPvtDyEntity.class;} else if (sheetName.equals("大五人格问卷")) {return OdsPvtNeoFfiEntity.class;} else if (sheetName.equals("TKI冲突模式量表")) {return OdsPvtTkiEntity.class;} else if (sheetName.equals("人际关系量表")) {return OdsPvtNriEntity.class;} else if (sheetName.equals("亲社会行为倾向量表")) {return OdsPvtPtmEntity.class;} else if (sheetName.equals("Buss-Warren攻击问卷")) {return OdsPvtBwaqEntity.class;} else if (sheetName.equals("加工速度测评")) {return OdsPvtSgEntity.class;} else if (sheetName.equals("执行功能测评")) {return OdsPvtTsEntity.class;} else if (sheetName.equals("情景记忆测评")) {return OdsPvtEmEntity.class;} else if (sheetName.equals("工作记忆测评")) {return OdsPvtWmEntity.class;} else if (sheetName.equals("注意力测评")) {return OdsPvtSzhxEntity.class;} else if (sheetName.equals("逻辑推理测评")) {return OdsPvtRpmsEntity.class;} else if (sheetName.equals("视空间测评")) {return OdsPvtMrEntity.class;} else if (sheetName.equals("特质应对方式问卷")) {return OdsPvtTcsqEntity.class;} else if (sheetName.equals("情绪调节量表")) {return OdsPvtErqEntity.class;} else if (sheetName.equals("心理弹性量表")) {return OdsPvtCdRiscEntity.class;} else if (sheetName.equals("自我效能感量表")) {return OdsPvtGsesEntity.class;} else if (sheetName.equals("基本信息调查表")){return OdsPvtBaseInfoEntity.class;}return null;//返回空为了后续做准备}
}

在读取sheet的时候你需要弄一个表格监听器:

package org.springblade.common.listener;import com.alibaba.excel.context.AnalysisContext;
import com.alibaba.excel.event.AnalysisEventListener;
import lombok.Data;
import lombok.extern.slf4j.Slf4j;import java.util.ArrayList;
import java.util.LinkedList;
import java.util.List;
import java.util.Map;@Slf4j
@Data
public class LunchDataMultiSheetListener extends AnalysisEventListener<Map<Integer, String>> {private List<List<String>> dataList;public LunchDataMultiSheetListener() {this.dataList = new ArrayList<>();}/*** 每读到一行数据都调用invoke方法** @param integerObjectMap* @param context*/@Overridepublic void invoke(Map<Integer, String> integerObjectMap, AnalysisContext context) {Integer rowIndex = context.readRowHolder().getRowIndex();System.out.println("rowIndex = " + rowIndex);// key为列号,value为单元格的内容log.info("解析到数据:{}", integerObjectMap);// 获取当前解析的sheet的信息String sheetName = context.readSheetHolder().getSheetName();
//        Integer sheetIndex = context.readSheetHolder().getSheetNo();
//        System.out.println("当前解析的sheet名称:" + sheetName);
//        System.out.println("当前解析的sheet索引:" + sheetIndex);// 把数据放到dataList里面,便于统一处理LinkedList<String> strings = new LinkedList<>();integerObjectMap.forEach((k, v) -> {strings.add(v);});this.dataList.add(strings);}@Overridepublic void doAfterAllAnalysed(AnalysisContext analysisContext) {// 读完所有数据,做统一处理。// 当然还可以拿到listener之外处理log.info("数据读取完成");}}

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

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

相关文章

凌鲨微应用开发流程

微应用开发流程 使用vite,nextjs等框架创建前端项目引入需要的api包通过调试界面进行调试 创建前端项目 vite yarn create vitenextjs yarn create next-app引入需要的api包 名称权限说明http跨域访问跨域http访问tauri提供的apilinksaas-minapp/api打开浏览器读本地文件…

自定义注解校验

在日常开发中经常会用到String类型的数据当作数值进行映射&#xff0c;势必会做出数值范围的校验&#xff0c;可以通过自定义注解的办法简化代码实现&#xff0c;减少冗余代码。 Target({ElementType.FIELD}) Retention(RetentionPolicy.RUNTIME) Constraint(validatedBy St…

【经验分享】 3D新手玩转VisionPro的工作流

第一步:文字生产图片 这样的工具有很多,stable diffusion,Midjourney等来生成图像 第二步:使用图片生3d模型工具 在线的工具有:https://huggingface.co/spaces/stabilityai/TripoSRhttps://huggingface.co/spaces/stabilityai/TripoSR 效果图 代码框架:Gi

CentOS7.9基于Apache2.4+Php7.4+Mysql8.0架构部署Zabbix6.0LTS 亲测验证完美通过方案

前言: Zabbix 由 Alexei Vladishev 创建,目前由 Zabbix SIA 主导开发和支持。 Zabbix 是一个企业级的开源分布式监控解决方案。 Zabbix 是一款监控网络的众多参数以及服务器、虚拟机、应用程序、服务、数据库、网站、云等的健康和完整性的软件。 Zabbix 使用灵活的通知机制,…

蓝桥杯-排序

数组排序 Arrays.sort(int[] a) 这种形式是对一个数组的所有元素进行排序&#xff0c;并且时按从小到大的顺序。 package Work;import java.util.*;public class Imcomplete {public static void main(String args[]) {int arr[]new int [] {1,324,4,5,7,2};Arrays.sort(arr)…

安装系统后,如何单个盘空间扩展多个盘空间?

1、计算机-管理-存储-磁盘空间 2、压缩C盘符&#xff0c;分出多余空间 3、将多余空间扩展&#xff0c;然后修改盘符名称

SpringBoot自动装配详解

SpringBoot自动装配 在讲之前先了解一下&#xff0c;手动装配的流程。 在没有Spring Boot的情况下&#xff0c;你需要手动配置和添加相关依赖&#xff0c;以实现类似于Spring Boot自动装配的功能。主要步骤&#xff1a; 引入Spring相关依赖&#xff1a; 首先&#xff0c;你需…

基于springboot+vue实现食品安全管理系统项目【项目源码+论文说明】

基于springboot实现食品安全管理系统演示 摘要 食品行业同其他行业有很多的差别&#xff0c;食品行业不仅要管食品的生产和销售&#xff0c;还要管食品的库存和保质期&#xff0c;那么对于食品管理者来说&#xff0c;就存在着一定的难度。况且食品的种类复杂&#xff0c;存储条…

Redis分段锁,如何设计?

问题场景&#xff1a;热点库存扣减问题 秒杀场景&#xff0c;有一个难度的问题&#xff1a;热点库存扣减问题。 既要保证不发生超卖 又要保证高并发 如果解决这个高难度的问题呢&#xff1f; 答案就是使用redis 分段锁。 什么是分布式锁&#xff1f; 一个分布式系统中&am…

关于OpenAI最新的成果Sora的思考

目录 前言: 1.Sora的技术特点 1.1技术架构 1.2算法原理&#xff1a; 1.2.1自然语言处理&#xff08;NLP&#xff09;&#xff1a; 1.2.2深度学习&#xff1a; 1.2.3视频生成与编码&#xff1a; 1.3实现过程&#xff1a; 1.3.1NLP&#xff08;自然语言处理&#xff09;模…

手写分布式配置中心(三)增加实时刷新功能(短轮询)

要实现配置自动实时刷新&#xff0c;需要改造之前的代码。代码在https://gitee.com/summer-cat001/config-center​​​​​​​ 服务端改造 服务端增加一个版本号version&#xff0c;新增配置的时候为1&#xff0c;每次更新配置就加1。 Overridepublic long insertConfigDO(…

vue3中watch侦听器的使用

侦听器&#xff08;watch&#xff09;是vue的核心语法之一&#xff0c;用于监听数据的变化情况。在写项目时经常会遇到&#xff0c;但经常忘记&#xff0c;重新学习了一下尚硅谷的vue3视频&#xff0c;记录一下最新的用法情况 作用&#xff1a;监视数据的变化&#xff08;和Vu…

Vue3 中的代理原理详解

Vue3 中的代理原理详解 Vue3 中引入了代理&#xff08;Proxy&#xff09;机制&#xff0c;取代了 Vue2 中的 Object.defineProperty() 机制&#xff0c;用于实现数据响应式。代理机制是 ES6 中新增的特性&#xff0c;它可以用来自定义对象中的操作&#xff0c;比如属性查找、赋…

基础算法|线性结构|前缀和学习

参考文章&#xff1a; https://blog.csdn.net/weixin_72060925/article/details/127835303 二维数组的前缀和练习&#xff1a; 这里要注意的地方就是求子矩阵和的时候&#xff0c;这里要减去的是x1-1&#xff0c;y1-1的部分&#xff0c;因为所求的目标值是包括边界的 //前缀…

【代码随想录python笔记整理】第十七课 · 判断集合成员

前言:本笔记仅仅只是对内容的整理和自行消化&#xff0c;并不是完整内容&#xff0c;如有侵权&#xff0c;联系立删。 一、集合 在之前提到&#xff0c;哈希表主要是用来判断给定的整数是否存在于给定的数据中。而在上一节中我们使用了数组&#xff0c;通过索引来实现哈希表的功…

备战蓝桥(模板篇)

扩展欧德里几算法 质数筛 分解质因数 LCA BFS floyd Dijkstra prime 日期是否合法 Tire异或 模拟散列表 字符哈希 Tire字符串统计

【C++】学习记录

一、第一个C程序 #include<iostream> using namespace std;int main() {cout << "Hello World!";return 0; } 二、数据类型、变量与常量、运算符 2.1 数据类型 2.2 变量与常量 2.3 运算符 三 、判断语句&#xff08;if-else、switch-case&#xff09; …

LeetCode(力扣)算法题_2575_找出字符串的可除整数组

找出字符串的可除整数组 题目描述 难度&#xff1a;中等 给你一个下标从 0 开始的字符串 word &#xff0c;长度为 n &#xff0c;由从 0 到 9 的数字组成。另给你一个正整数 m 。 word 的 可整除数组 div 是一个长度为 n 的整数数组&#xff0c;并满足&#xff1a; 如果…

淘宝/天猫API:电商卖家提升销售额的利器

淘宝/天猫API对于电商卖家来说确实是一个提升销售额的利器。通过使用这些API&#xff0c;卖家可以自动化和优化各种业务流程&#xff0c;从而提高销售效率、优化客户体验并增强竞争力。以下是一些建议和示例代码&#xff0c;说明如何利用淘宝/天猫API来提升销售额。 1. 获取商…

从0到1入门C++编程——10 stack容器、queue容器、list容器、set容器、map容器

文章目录 一、stack容器二、queue容器三、list容器1、构造函数2、赋值和交换3、大小及判空4、插入和删除5、数据存取6、反转和排序7、排序案例 四、set/multiset容器1、构造和赋值2、大小和交换3、插入和删除4、查找和统计5、set和multiset的区别6、pair对组的创建7、排序及规则…