esayexcel进行模板下载,数据导入,验证不通过,错误信息标注在excel上进行 ...

打印 上一主题 下一主题

主题 820|帖子 820|积分 2460

场景:普平凡通模板下载,加数据导入,分全量和增量,预计20w数据,每一条数据校验,前后端代码贴上(代码有编削,关键代码都有,好朋侪们本身弃取,代码一股脑贴上了)
  
前端代码示例:
  1.   <div style="display: flex; align-items: center; margin-left: auto">
  2.                   <el-button style="
  3.                     width: 160px;
  4.                     height: 25px;
  5.                     font-size: 11px;
  6.                     display: flex;
  7.                     justify-content: end;
  8.                   ">
  9.                     <div style="display: flex; align-items: center">
  10.                       <span style="
  11.                         overflow: hidden;
  12.                         text-overflow: ellipsis;
  13.                         white-space: nowrap;
  14.                         width: 122px;
  15.                       ">{{ fileName }}</span>
  16.                       <span class="el-icon-delete" style="margin-left: 5px" @click="deleteFile"></span>
  17.                     </div>
  18.                   </el-button>
  19.                   <el-upload ref="upload" id="upload" action="" :on-preview="handlePreview" :on-remove="handleRemove"
  20.                     :before-remove="beforeRemove" :on-exceed="handleExceed" :file-list="fileList" :limit="1"
  21.                     :show-file-list="false" :name="fileName" :on-change="handleChange" accept=".xls, .xlsx"
  22.                     :auto-upload="false" :http-request="uploadFile">
  23.                     <el-button icon="el-icon-more" style="
  24.                       height: 25px;
  25.                       width: 35px;
  26.                       display: flex;
  27.                       align-items: center;
  28.                       justify-content: center;
  29.                       margin-left: -2px;
  30.                     "></el-button>
  31.                   </el-upload>
  32.                   <el-button style="height: 25px; margin-left: 5px; padding-top: 7px" @click="importData">
  33.                     开始导入数据
  34.                   </el-button>
  35.                   <div @click="downloadTemplate" style="font-size: 13; color: #56b7ec">
  36.                     <img src="../../../../assets/download.png" class="icon" alt="Download Icon" />
  37.                     模板下载
  38.                   </div>
  39.                   <div style="margin-left: 10px">
  40.                     <el-input placeholder="" v-model="searchParams.called_number"
  41.                       style="height: 25px; line-height: 32px; width: 180px" @keyup.enter.native="searchData(1)">
  42.                       <template slot="suffix">
  43.                         <i class="el-icon-search" @click="searchData(1)" style="line-height: 25px,color: #00a9ff"></i>
  44.                       </template>
  45.                     </el-input>
  46.                   </div>
  47.                 </div>
复制代码
function:
  1.   data() {
  2.     return {
  3.       fileList: [],
  4.       fileName: "",
  5.       carrierList: [],
  6.       searchParams: {
  7.         calledNumber: "",
  8.       },
  9.       tableData: [],
  10.       userParams: {
  11.         show: false,
  12.         userData: {},
  13.         operation: "add",
  14.         editable: true,
  15.         title: "Add Called Number",
  16.       },
  17.       selections: null,
  18.       pageInfo: {
  19.         total: 0,
  20.         pageIndex: 1,
  21.         pageSize: 10,
  22.       },
  23.       cmdLogParams: {
  24.         visible: false,
  25.         title: "Command Log",
  26.         groupId: "",
  27.       },
  28.     };
  29.   },
  30. import ToyCore from "toy-core";
  31. const request = ToyCore.axios;
复制代码
  1. deleteFile() {
  2.       // alert(this.fileName)
  3.       if (this.fileName == null || this.fileName == "") {
  4.         return false;
  5.       }
  6.       const params = {
  7.         "dataType": "called",
  8.         "fileName": this.fileName
  9.       }
  10.       ResourceApi.deleteFile(params, {
  11.         headers: {
  12.           "Content-Type": "text/plain",
  13.         },
  14.       }).then((res) => {
  15.         if (res.isSuccess) {
  16.           this.$message.success("Delete successful");
  17.           this.fileName = "";
  18.           this.fileList = [];
  19.         } else {
  20.           this.$message.error(res.data.message);
  21.         }
  22.       });
  23.     }, uploadFile(data) {
  24.       const file = data.file;
  25.       const allowedTypes = ['application/vnd.ms-excel', 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet'];
  26.       if (!allowedTypes.includes(file.type)) {
  27.         this.$message.error("File type must be xls or xlsx");
  28.         this.fileName = "";
  29.         this.fileList = [];
  30.         return false;
  31.       }
  32.       const maxSize = 15 * 1024 * 1024;
  33.       if (file.size > maxSize) {
  34.         this.$message.error("File size exceeds the limit of 15MB");
  35.         return;
  36.       }
  37.       const formData = new FormData();
  38.       formData.append("file", file);
  39.       formData.append("dataType", "called");
  40.       ResourceApi.upload(formData, {
  41.         headers: {
  42.           "Content-Type": "multipart/form-data",
  43.         },
  44.       }).then((res) => {
  45.         if (res.isSuccess) {
  46.           this.$message.success("Upload successful");
  47.         } else {
  48.           this.$message.error(res.data.message);
  49.         }
  50.       });
  51.     }, handleChange(file, fileList) {
  52.       this.fileName = file.name;
  53.       this.fileList = fileList;
  54.       console.log(file);
  55.       console.log(document.getElementsByClassName("el-upload__input")[0].value);
  56.       this.$refs.upload.submit();
  57.     }, handleExceed(files, fileList) {
  58.       if (this.fileList.length >= 1) {
  59.         this.$message.error("Only one file can be uploaded");
  60.       }
  61.     }, beforeRemove(file, fileList) {
  62.       return this.$confirm(`确定移除 ${file.name}?`);
  63.     }, handleRemove(file, fileList) { },
  64.     handlePreview(file) {
  65.       alert(file);
  66.       console.log(file);
  67.     },
  68.     async importData() {
  69.       if (this.fileName == null || this.fileName == "") {
  70.         this.$message.warning("Upload the file you want to import first!");
  71.         return false;
  72.       }
  73.       const params = {
  74.         fileName: this.fileName,
  75.         fullLoad: this.append,
  76.         dataType: "called"
  77.       };
  78.       ResourceApi.vaildData(params).then((res) => {
  79.         if (res.isSuccess) {
  80.           params.cellTempTable = res.cellTempTable;
  81.           params.laiTaiTempTable = res.laiTaiTempTable;
  82.           params.isFullLoad = res.isFullLoad;
  83.           console.log(params)
  84.           ResourceApi.batchImport(params).then((res) => {
  85.             if (res.isSuccess) {
  86.               this.$message.success("Import successful");
  87.             } else {
  88.               this.$message.error("Import failed");
  89.             }
  90.           });
  91.         } else {
  92.           this.$message.error(res.message);
  93.           this.exportErrorData(params);
  94.         }
  95.       });
  96.       const param = {
  97.         queryParams: [],
  98.         pageSize: 10,
  99.       };
  100.       this.init(param);
  101.     },
  102.     async downloadTemplate() {
  103.       const timestamp = new Date().getTime();
  104.       try {
  105.         const params = {
  106.           "fileName": "",
  107.           "dataType": "called"
  108.         };
  109.         const data = await request.postUrl(
  110.           "/nrms-cmconfig/plugins/cmconfig/manageResource/downloadDataTemplate",
  111.           params,
  112.           {
  113.             responseType: "arraybuffer",
  114.           }
  115.         );
  116.         console.log(new Uint8Array(data));
  117.         const blob = new Blob([data], {
  118.           type: "application/vnd.ms-excel",
  119.         });
  120.         const url = window.URL.createObjectURL(blob);
  121.         const a = document.createElement("a");
  122.         a.style.display = "none";
  123.         a.href = url;
  124.         a.download = "called_template" + timestamp + ".xls";
  125.         document.body.appendChild(a);
  126.         a.click();
  127.         document.body.removeChild(a);
  128.         window.URL.revokeObjectURL(url);
  129.       } catch (error) {
  130.         console.error("下载模板失败:", error);
  131.       }
  132.     },
  133.     async exportErrorData(params) {
  134.       try {
  135.         const data = await request.postUrl(
  136.           "/nrms-cmconfig/plugins/cmconfig/manageResource/exportErorData",
  137.           params,
  138.           {
  139.             responseType: "arraybuffer",
  140.           }
  141.         );
  142.         console.log(new Uint8Array(data));
  143.         const blob = new Blob([data], {
  144.           type: "application/vnd.ms-excel",
  145.         });
  146.         const url = window.URL.createObjectURL(blob);
  147.         const a = document.createElement("a");
  148.         a.style.display = "none";
  149.         a.href = url;
  150.         a.download = "called_template_error_data.xls";
  151.         document.body.appendChild(a);
  152.         a.click();
  153.         document.body.removeChild(a);
  154.         window.URL.revokeObjectURL(url);
  155.       } catch (error) {
  156.         console.error("下载模板失败:", error);
  157.       }
  158.     },
  159.   },
复制代码

这里有个问题就是下载模板的时间利用request.postUrl,我们项目都是本身封装了一个api请求,用封装的请求总是下载不好,利用xxl的时间下载的模板没有样式,于是哟用了最原始的方案可以看到下载模板和数据导入请求方式的不同等;数据导入一开始后端放在一个方法里了,但是前端请求总是超时,异步处置惩罚的话和要求不搭,甲方要求校验数据不通过接着返回错误模板数据,并标注信息,现在是后端分为校验和数据导入两部分;目前方案如此,后期在优化,给出后端代码:
controller:
  1.   @ResponseBody
  2.     @RequestMapping(value = "/downloadDataTemplate")
  3.     @ApiOperation(value = "downloadDataTemplate")
  4.     public void downloadDataTemplate(HttpServletResponse response, @RequestBody Map<String, String> params) {
  5.         resourceService.downloadDataTemplate(response, params.getOrDefault("fileName", ""), params.getOrDefault("dataType", ""));
  6.     }
  7.     @RequestMapping(value = "/upload")
  8.     @ResponseBody
  9.     @ApiOperation(value = "upload")
  10.     public Map<String, Object> upload(@RequestParam("file") MultipartFile file,
  11.                                       @RequestParam("dataType") String dataType) {
  12.         Map<String, Object> result = new HashMap<>();
  13.         log.info("upload file start -----");
  14.         if (file != null) {
  15.             result = resourceService.upload(file, dataType);
  16.         }
  17.         log.info("upload file end -----result={}", result);
  18.         return result;
  19.     }
  20.     @RequestMapping(value = "/deleteFile")
  21.     @ResponseBody
  22.     @ApiOperation(value = "deleteFile")
  23.     public Map<String, Object> deleteFile(@RequestBody Map<String, String> param) {
  24.         Map<String, Object> result = new HashMap<>();
  25.         log.info("delete file start -----{}", param);
  26.         try {
  27.             result = resourceService.deleteFile(param.get("fileName"), param.get("dataType"));
  28.             result.put("isSuccess", true);
  29.             result.put("message", "Delete successfully");
  30.         } catch (Exception e) {
  31.             result.put("isSuccess", false);
  32.             result.put("message", "Delete Failed");
  33.             log.info("Delete error----------------Exception:", e);
  34.         }
  35.         log.info("delete file end -----result={}", result);
  36.         return result;
  37.     }
  38.     @RequestMapping(value = "/vaildData")
  39.     @ResponseBody
  40.     @ApiOperation(value = "vaildData")
  41.     public Map<String, Object> vaildData(@RequestBody Map<String, Object> params, HttpServletResponse response) {
  42.         Map<String, Object> result = new HashMap<>();
  43.         log.info("Verify data format start -----");
  44.         result = resourceService.vaildData(params, response);
  45.         log.info("Verify data format start -----result={}", result);
  46.         return result;
  47.     }
  48.     @RequestMapping(value = "/batchImport")
  49.     @ResponseBody
  50.     @ApiOperation(value = "batchImport")
  51.     public Map<String, Object> batchImport(@RequestBody Map<String, Object> params) {
  52.         Map<String, Object> result = new HashMap<>();
  53.         log.info("Import file start -----");
  54.         result = resourceService.batchImport(params);
  55.         log.info("upload file end -----result={}", result);
  56.         return result;
  57.     }
  58.     @RequestMapping(value = "/exportErorData")
  59.     @ResponseBody
  60.     @ApiOperation(value = "exportErorData")
  61.     public void exportErorData(HttpServletResponse response, @RequestBody Map<String, Object> params) {
  62.         log.info("Export errorDataFile start -----");
  63.         resourceService.exportErrorMsg(response, String.valueOf(params.get("fileName")), params.get("dataType") + "");
  64.     }
复制代码
service:
  1.     void downloadDataTemplate(HttpServletResponse response,String filePath,String dataType) ;
  2.     Map<String, Object> upload(MultipartFile multipartFile, String dataType);
  3.     Map<String, Object> deleteFile(String fileName,String dataType);
  4.     Map<String, Object> batchImport(Map<String, Object> params);
  5. Map<String, Object> vaildData(Map<String, Object> params,HttpServletResponse response);
  6.     void exportErrorMsg(HttpServletResponse response,String fileName,String type);
复制代码
impl:部分代码做了屏蔽,根本的利用代码都是包含的,别的利用了truncate清表,各人也可以酌情利用事务控制
  1.    private CellDataListener cellDataListener = new CellDataListener();
  2.     private List<ExcelErrorMessage> errorList = new ArrayList<>();
  3.     List<CellTemplate> saiList = new ArrayList<>();
  4.     List<CellTemplate> laiList = new ArrayList<>();
  5.     List<CellTemplate> taiList = new ArrayList<>();
  6.     List<CellTemplate> laiData = new ArrayList<>();
  7.     List<CellTemplate> taiData = new ArrayList<>();
  8.     private String carrierId = "";
  9.     Map<String, List<CellTemplate>> validationData = new HashMap<>();
  10.     List<SpecialNumber> specialNumberList = new ArrayList<>();
  11.     String relatedGroup = "";
复制代码
  1.     @Override
  2.     public void downloadDataTemplate(HttpServletResponse response, String filePath, String dataType) {
  3.              //yaml文件配置的路径
  4.             filePath = dataDownloadPath;
  5.         
  6.         exportExcelFile(response, filePath);
  7.     }
  8.     public void exportExcelFile(HttpServletResponse response, String filePath) {
  9.         File file = new File(filePath);
  10.         if (!file.exists()) {
  11.             log.error("文件未找到: " + file.getAbsolutePath());
  12.             throw new RuntimeException("文件未找到: " + file.getAbsolutePath());
  13.         }
  14.         try {
  15.             FileInputStream fileInputStream = new FileInputStream(file);
  16.             response.setHeader("Content-Type", "application/vnd.ms-excel");
  17.             response.addHeader("Content-Disposition", "attachment;filename=template.xls");
  18.             OutputStream outputStream = response.getOutputStream();
  19.             byte[] buffer = new byte[2048];
  20.             int bytesRead = -1;
  21.             while ((bytesRead = fileInputStream.read(buffer)) != -1) {
  22.                 outputStream.write(buffer, 0, bytesRead);
  23.             }
  24.             outputStream.flush();
  25.             fileInputStream.close();
  26.             outputStream.close();
  27.         } catch (Exception e) {
  28.             e.printStackTrace();
  29.         }
  30.     }
  31.     @Override
  32.     public Map<String, Object> upload(MultipartFile multipartFile, String dataType) {
  33.         String uploadPath = "";
  34.         if ("type2".equals(dataType)) {
  35.             uploadPath = whiteUploadPath;
  36.         } else if ("type1".equals(dataType)) {
  37.             uploadPath = blackUploadPath;
  38.         } else if ("type3".equals(dataType)) {
  39.             uploadPath = smsUploadPath;
  40.         } else if ("fzData".equals(dataType)) {
  41.             uploadPath = cellUploadPath;
  42.         } else if ("type4".equals(dataType)) {
  43.             uploadPath = vipUploadPath;
  44.         } else if ("type5".equals(dataType)) {
  45.             uploadPath = calledUploadPath;
  46.         }
  47.         log.info("Start uploadExcel--------------------------multipartFile:{}", multipartFile);
  48.         Map<String, Object> result = new HashMap<>();
  49.         try {
  50.             String fileName = multipartFile.getOriginalFilename();
  51.             if (fileName == null || fileName.isEmpty()) {
  52.                 result.put("isSuccess", false);
  53.                 result.put("message", "File name is empty");
  54.                 return result;
  55.             }
  56.             File saveFile = new File(uploadPath + fileName);
  57.             saveFile.setReadable(true, false);
  58.             saveFile.setWritable(true, false);
  59.             multipartFile.transferTo(saveFile);
  60.             result.put("isSuccess", true);
  61.             result.put("message", "File saved successfully");
  62.             result.put("data", saveFile.getAbsolutePath());
  63.         } catch (IOException e) {
  64.             result.put("isSuccess", false);
  65.             result.put("message", "Failed to save file");
  66.             log.error("Failed to save file: ", e);
  67.         }
  68.         return result;
  69.     }
  70.     @Override
  71.     public Map<String, Object> deleteFile(String fileName, String dataType) {
  72.         String filePath = "";
  73.         if ("fzData".equals(dataType)) {
  74.             filePath = cellUploadPath + fileName;
  75.         } else if ("type2".equals(dataType)) {
  76.             filePath = whiteUploadPath + fileName;
  77.         } else if ("type1".equals(dataType)) {
  78.             filePath = blackUploadPath + fileName;
  79.         } else if ("type3".equals(dataType)) {
  80.             filePath = smsUploadPath + fileName;
  81.         } else if ("type4".equals(dataType)) {
  82.             filePath = vipUploadPath;
  83.         } else if ("type5".equals(dataType)) {
  84.             filePath = calledUploadPath;
  85.         }
  86.         log.info("Start deleteLocalFile--------------------------filePath:{}", filePath);
  87.         Map<String, Object> result = new HashMap<>();
  88.         File file = new File(filePath);
  89.         if (file.delete()) {
  90.             result.put("isSuccess", true);
  91.         } else {
  92.             result.put("isSuccess", false);
  93.         }
  94.         return result;
  95.     }
  96.     @Override
  97.     public Map<String, Object> batchImport(Map<String, Object> params) {
  98.         Map<String, Object> result = new HashMap<>();
  99.         Map<String, Object> resultMap = new HashMap<>();
  100.         Integer insertCount = 0;
  101.         String cellTempTable = (String) params.get("cellTempTable");
  102.         String laiTaiTempTable = (String) params.get("laiTaiTempTable");
  103.         boolean isFullLoad = (boolean) params.get("fullLoad");
  104.         String dataType = (String) params.get("dataType");
  105.         try {
  106.             if ("fzData".equalsIgnoreCase(dataType)) {
  107.                 resultMap = processCellData(isFullLoad, validationData);
  108.             } else {
  109.                 resultMap = processData(specialNumberList, dataType, relatedGroup);
  110.             }
  111.             insertCount = Integer.parseInt(resultMap.get("insert") + "");
  112.             if (insertCount > 0) {
  113.                 result.put("isSuccess", true);
  114.                 result.put("message", insertCount + " pieces of data are successfully imported");
  115.             } else {
  116.                 result.put("isSuccess", false);
  117.                 result.put("message", "Data import failure");
  118.             }
  119.         } catch (Exception e) {
  120.             if (!isFullLoad) {
  121.                 ppqMapper.recoveryContent(cellTempTable, TABLE_CELL);
  122.                 ppqMapper.recoveryContent(laiTaiTempTable, TABLE_LAITAI);
  123.             }
  124.             result.put("isSuccess", false);
  125.             result.put("message", "Failed to process file: " + e.getMessage());
  126.             log.error("Failed to process file: ", e);
  127.         }
  128.         if (!isFullLoad) {
  129.             ppqMapper.removeTable(cellTempTable);
  130.             ppqMapper.removeTable(laiTaiTempTable);
  131.         }
  132.         return result;
  133.     }
  134.     @Override
  135.     public Map<String, Object> vaildData(Map<String, Object> params, HttpServletResponse response) {
  136.         validationData = new HashMap<>();
  137.         relatedGroup = "";
  138.         specialNumberList = new ArrayList<>();
  139.         String fileName = (String) params.get("fileName");
  140.         String dataType = (String) params.get("dataType");
  141.         String filePath = "";
  142.         Map<String, Object> result = new HashMap<>();
  143.         String cellTempTable = "";
  144.         String laiTaiTempTable = "";
  145.         result.put("isSuccess", true);
  146.         boolean isFullLoad = (boolean) params.get("fullLoad");
  147.         try {
  148.             if ("fzData".equals(dataType)) {
  149.                 //cell类型数据
  150.                 filePath = cellUploadPath + fileName;
  151.                 if (!isFullLoad) {
  152.                     //创建临时表
  153.                     cellTempTable = "TEMP_TABLE1_DATA" + System.currentTimeMillis();
  154.                     laiTaiTempTable = "TEMP_TABLE2_DATA" + System.currentTimeMillis();
  155.                     ppqMapper.createTempTable(TABLE_CELL, cellTempTable);
  156.                     ppqMapper.createTempTable(TABLE_LAITAI, laiTaiTempTable);
  157.                     ppqMapper.truncateTable(TABLE_CELL);
  158.                     ppqMapper.truncateTable(TABLE_LAITAI);
  159.                 }
  160.                 cellDataListener.initFlag();
  161.                 Path path = Paths.get(filePath);
  162.                 if (!Files.exists(path)) {
  163.                     result.put("isSuccess", false);
  164.                     result.put("message", "File does not exist");
  165.                     if (!isFullLoad) {
  166.                         ppqMapper.recoveryContent(cellTempTable, TABLE_CELL);
  167.                         ppqMapper.recoveryContent(laiTaiTempTable, TABLE_LAITAI);
  168.                     }
  169.                     return result;
  170.                 }
  171.                 Map<String, List<CellTemplate>> sheetDataMap = readExcelBySheetName(filePath);
  172.                 //校验模板数据,生成错误信息
  173.                 Map<String, Object> validationResultMap = validateAndProcessData(filePath, sheetDataMap, isFullLoad);
  174.                 if (!cellDataListener.isVaild()) {
  175.                     result.put("isSuccess", false);
  176.                     result.put("message", "Template data error");
  177.                     if (!isFullLoad) {
  178.                         ppqMapper.recoveryContent(cellTempTable, TABLE_CELL);
  179.                         ppqMapper.recoveryContent(laiTaiTempTable, TABLE_LAITAI);
  180.                     }
  181.                     return result;
  182.                 }
  183.                 validationData = (Map<String, List<CellTemplate>>) validationResultMap.get("data");
  184.             } else {
  185.                 if ("type2".equals(dataType)) {
  186.                     filePath = whiteUploadPath + fileName;
  187.                 } else if ("type1".equals(dataType)) {
  188.                     filePath = blackUploadPath + fileName;
  189.                 } else if ("type3".equals(dataType)) {
  190.                     filePath = smsUploadPath + fileName;
  191.                 } else if ("type4".equals(dataType)) {
  192.                     filePath = vipUploadPath + fileName;
  193.                 } else if ("type5".equals(dataType)) {
  194.                     filePath = calledUploadPath + fileName;
  195.                 }
  196.                 Path path = Paths.get(filePath);
  197.                 if (!Files.exists(path)) {
  198.                     result.put("isSuccess", false);
  199.                     result.put("message", "File does not exist");
  200.                     return result;
  201.                 }
  202.                 List<SpecialNumber> numberList = readExcelBySheetNo(filePath);
  203.                 Map<String, Object> validationResultMap = validateData(filePath, numberList, dataType);
  204.                 if (!Boolean.parseBoolean(validationResultMap.get("isSuccess") + "")) {
  205.                     result.put("isSuccess", false);
  206.                     result.put("message", "Template data error");
  207.                     return result;
  208.                 }
  209.                 specialNumberList = (List<SpecialNumber>) validationResultMap.get("data");
  210.                 relatedGroup = params.getOrDefault("related_group", "") + "";
  211.             }
  212.         } catch (Exception e) {
  213.             if (!isFullLoad) {
  214.                 ppqMapper.recoveryContent(cellTempTable, TABLE_CELL);
  215.                 ppqMapper.recoveryContent(laiTaiTempTable, TABLE_LAITAI);
  216.             }
  217.             result.put("isSuccess", false);
  218.             result.put("message", "Failed to process file: " + e.getMessage());
  219.             log.error("Failed to process file: ", e);
  220.         }
  221.         result.put("isFullLoad", isFullLoad);
  222.         result.put("cellTempTable", cellTempTable);
  223.         result.put("laiTaiTempTable", laiTaiTempTable);
  224.         return result;
  225.     }
  226.     @Override
  227.     public void exportErrorMsg(HttpServletResponse response, String fileName, String type) {
  228.         String filePath = "";
  229.         if ("fzData".equals(type)) {
  230.             filePath = cellUploadPath + fileName;
  231.         } else if ("type2".equals(type)) {
  232.             filePath = whiteUploadPath + fileName;
  233.         } else if ("type1".equals(type)) {
  234.             filePath = blackUploadPath + fileName;
  235.         } else if ("type3".equals(type)) {
  236.             filePath = smsUploadPath + fileName;
  237.         } else if ("type4".equals(type)) {
  238.             filePath = vipUploadPath + fileName;
  239.         } else if ("type5".equals(type)) {
  240.             filePath = calledUploadPath + fileName;
  241.         }
  242.         exportExcelFile(response, filePath);
  243.     }
  244.     public Map<String, Object> processData(List<SpecialNumber> listData, String type, String userGroupId) {
  245.         Map<String, Object> returnMap = new HashMap<>();
  246.         Integer insertCount = 0;
  247.         if ("type2".equals(type)) {
  248.             listData = listData.stream()
  249.                     .map(number -> {
  250.                         number.setUuid(UUID.randomUUID().toString().replace("-", ""));
  251.                         number.setRelatedGroup(userGroupId);
  252.                         return number;
  253.                     })
  254.                     .collect(Collectors.toList());
  255.             insertCount = ppqMapper.saveWhiteNumber(listData);
  256.         } else if ("type1".equals(type)) {
  257.             listData = listData.stream()
  258.                     .peek(number -> number.setUuid( UUID.randomUUID().toString().replace("-", "")))
  259.                     .collect(Collectors.toList());
  260.             insertCount = ppqMapper.saveBlackNumber(listData);
  261.             //保存指令
  262.             saveActiveCommand(listData, "type1");
  263.         } else if ("type3".equals(type)) {
  264.             listData = listData.stream()
  265.                     .map(number -> {
  266.                         number.setUuid(UUID.randomUUID().toString().replace("-", ""));
  267.                         number.setRelatedGroup(userGroupId);
  268.                         return number;
  269.                     })
  270.                     .collect(Collectors.toList());
  271.             insertCount = ppqMapper.saveSmsNumber(listData);
  272.         } else if ("type4".equals(type)) {
  273.             listData = listData.stream()
  274.                     .peek(number -> number.setUuid(UUID.randomUUID().toString().replace("-", "")))
  275.                     .collect(Collectors.toList());
  276.             insertCount = ppqMapper.saveVipNumber(listData);
  277.             //保存指令
  278.             saveActiveCommand(listData, "type4");
  279.         } else if ("type5".equals(type)) {
  280.             listData = listData.stream()
  281.                     .peek(number -> number.setUuid( UUID.randomUUID().toString().replace("-", "")))
  282.                     .collect(Collectors.toList());
  283.             insertCount = ppqMapper.saveCalledNumber(listData);
  284.             //保存指令
  285.             saveActiveCommand(listData, "SP");
  286.         }
  287.         returnMap.put("count", insertCount);
  288.         return returnMap;
  289.     }
  290.     public Map<String, Object> saveActiveCommand(List<SpecialNumber> listData, String type) {
  291.         Map<String, Object> resultMap = new HashMap<>();
  292.         for (SpecialNumber specialNumber : listData) {
  293.             Map<String, Object> saveActiveResult = pmcService.saveActiveCommand("type4".equalsIgnoreCase(type) ? specialNumber.getMsisdn() : specialNumber.getNumber(), specialNumber.getCarrier(), type, specialNumber.getUuid());
  294.             boolean saveFlag = (boolean) saveActiveResult.get("success");
  295.             //判断是否保存成功
  296.             if (!saveFlag) {
  297.                 //执行失败
  298.                 resultMap.put("isSuccess", false);
  299.                 resultMap.put("message", "save Command Failed!");
  300.                 return resultMap;
  301.             }
  302.         }
  303.         resultMap.put("isSuccess", true);
  304.         resultMap.put("message", "Operation successful.");
  305.         return resultMap;
  306.     }
  307.     //cell数据入库
  308.     public Map<String, Object> processCellData(boolean isFullLoad, Map<String, List<CellTemplate>> listData) {
  309.         Map<String, Object> resultMap = new HashMap<>();
  310.         Integer insertLaiTaiCount = 0;
  311.         Integer insertCount = 0;
  312.         //lai&tai
  313.         listData.remove(CARRIER_KEY);
  314.         List<CellTemplate> laiTaiList = new ArrayList<>();
  315.         laiTaiList.addAll(listData.getOrDefault(LAI_KEY, Collections.emptyList()));
  316.         laiTaiList.addAll(listData.getOrDefault(TAI_KEY, Collections.emptyList()));
  317.         listData.remove(LAI_KEY);
  318.         listData.remove(TAI_KEY);
  319.         //cellData
  320.         List<CellTemplate> allCellTemplates = listData.values()
  321.                 .stream()
  322.                 .flatMap(List::stream)
  323.                 .collect(Collectors.toList());
  324.         for (List<CellTemplate> batch : batch(laiTaiList, BATCH_INSERT_SIZE)) {
  325.             insertLaiTaiCount = ppqMapper.saveLaiTai(batch, carrierId);
  326.         }
  327.         for (List<CellTemplate> batch : batch(allCellTemplates, BATCH_INSERT_SIZE)) {
  328.             insertCount = ppqMapper.saveCell(batch, carrierId);
  329.         }
  330.         resultMap.put("insertCount", insertCount + insertLaiTaiCount);
  331.         resultMap.put("insert", insertCount);
  332.         return resultMap;
  333.     }
  334.     private <T> List<List<T>> batch(List<T> list, int batchSize) {
  335.         List<List<T>> batches = new ArrayList<>();
  336.         for (int i = 0; i < list.size(); i += batchSize) {
  337.             batches.add(list.subList(i, Math.min(i + batchSize, list.size())));
  338.         }
  339.         return batches;
  340.     }
  341.     Map<String, List<CellTemplate>> readExcelBySheetName(String filePath) {
  342.         CellDataListener cellListener = new CellDataListener();
  343.         try (ExcelReader excelReader = EasyExcel.read(filePath).build()) {
  344.             ReadSheet readCarrierSheet = EasyExcel.readSheet("Carrier").head(CellTemplate.class).registerReadListener(cellListener).build();
  345.             ReadSheet readCgiSheet = EasyExcel.readSheet("CGI").head(CellTemplate.class).registerReadListener(cellListener).build();
  346.             ReadSheet readSaiSheet = EasyExcel.readSheet("SAI").head(CellTemplate.class).registerReadListener(cellListener).build();
  347.             ReadSheet readLaiSheet = EasyExcel.readSheet("LAI").head(CellTemplate.class).registerReadListener(cellListener).build();
  348.             ReadSheet readEcgiSheet = EasyExcel.readSheet("ECGI").head(CellTemplate.class).registerReadListener(cellListener).build();
  349.             ReadSheet readTaiSheet = EasyExcel.readSheet("TAI").head(CellTemplate.class).registerReadListener(cellListener).build();
  350.             excelReader.read(readCarrierSheet, readCgiSheet, readCgiSheet, readLaiSheet, readEcgiSheet, readTaiSheet, readSaiSheet);
  351.         }
  352.         Map<String, List<CellTemplate>> sheetDataMap = cellListener.getDataList();
  353.         log.info("execelData---------:{}", sheetDataMap);
  354.         return sheetDataMap;
  355.     }
  356.     List<SpecialNumber> readExcelBySheetNo(String filePath) {
  357.         NumberDataListener numberDataListener = new NumberDataListener();
  358.         try (ExcelReader excelReader = EasyExcel.read(filePath).build()) {
  359.             ReadSheet sheet = EasyExcel.readSheet(0).head(SpecialNumber.class).registerReadListener(numberDataListener).build();
  360.             excelReader.read(sheet);
  361.         }
  362.         List<SpecialNumber> sheetDataList = numberDataListener.getDataList();
  363.         log.info("resultList:{}", sheetDataList);
  364.         return sheetDataList;
  365.     }
  366.     private Map<String, Object> validateData(String filePath, List<SpecialNumber> list, String dataType) {
  367.         List<String> messageInfo = new ArrayList();
  368.         Map<String, Object> returnMap = new HashMap<>();
  369.         if (list.size() > 0) {
  370.             errorList.clear();
  371.             messageInfo.clear();
  372.             for (int i = 0; i < list.size(); i++) {
  373.                 if (null != list.get(i)) {
  374.                     StringBuilder strBuilder = validateNumber("type4".equals(dataType) ? list.get(i).getMsisdn() : list.get(i).getNumber(), list.get(i).getDescription(), dataType);
  375.                     if (strBuilder.length() > 0) {
  376.                         messageInfo.add("[" + (i + 1) + "]" + strBuilder);
  377.                     }
  378.                 }
  379.                 //vip含有imsi字段,须遵循规则
  380.                 if ("type4".equals(dataType)) {
  381.                     StringBuilder strBuilder = validateImsi(list.get(i).getImsi());
  382.                     if (StringUtils.isNotEmpty(strBuilder)) {
  383.                         messageInfo.add("[" + (i + 1) + "]" + strBuilder);
  384.                     }
  385.                 }
  386.                 //校验是否唯一 vip号码表格字段是msisdn,其他均为number
  387.                 Integer count = ppqMapper.isUniqueNumber("type4".equals(dataType) ? list.get(i).getMsisdn() : list.get(i).getNumber());
  388.                 if (count > 0) {
  389.                     messageInfo.add("[" + (i + 1) + "]" + " The number is already exist in table; ");
  390.                 }
  391.                 //校验carrier
  392.                 if (!"type5".equals(dataType)) {
  393.                     List<Map<String, String>> queryParams = new ArrayList<>();
  394.                     if (null != list.get(i).getCarrier() && !"".equals(list.get(i))) {
  395.                         Map<String, String> param = new HashMap<>();
  396.                         param.put("key", "CARRIER");
  397.                         param.put("value", list.get(i).getCarrier());
  398.                         queryParams.add(param);
  399.                         List<PMCCarrier> queryCarrier = ppqMapper.queryCarrier(queryParams, null, null);
  400.                         if (queryCarrier.size() < 1) {
  401.                             carrierId = null;
  402.                             messageInfo.add("[" + (i + 1) + "]" + " The Carrier name does not exist in table; ");
  403.                         } else {
  404.                             carrierId = queryCarrier.get(0).getIntId();
  405.                             list.get(i).setCarrier(carrierId);
  406.                         }
  407.                     } else {
  408.                         messageInfo.add("[" + (i + 1) + "]" + " The required  field Carrier is empty; ");
  409.                     }
  410.                 }
  411.             }
  412.         }
  413.         if (messageInfo.size() > 0) {
  414.             returnMap.put("isSuccess", false);
  415.             returnMap.put("data", list);
  416.             processingErrorMsg(filePath, messageInfo, 0);
  417.         } else {
  418.             returnMap.put("data", list);
  419.             returnMap.put("isSuccess", true);
  420.         }
  421.         log.info("Error message: {}", messageInfo.toString());
  422.         return returnMap;
  423.     }
  424.     public static StringBuilder validateImsi(String imsi) {
  425.         StringBuilder resultMsg = new StringBuilder();
  426.         if (StringUtils.isNotBlank(imsi)) {
  427.             String regex = "^\\d{1,15}$";
  428.             boolean regexMatches = imsi.matches(regex);
  429.             if (!regexMatches) {
  430.                 resultMsg.append("the data format is incorrect; ");
  431.             }
  432.         }
  433.         return resultMsg;
  434.     }
  435.     public static StringBuilder validateNumber(String number, String description, String dataType) {
  436.         StringBuilder resultMsg = new StringBuilder();
  437.         if (description != null && description.length() > 200) {
  438.             resultMsg.append("The maximum length of the number's description is 200 characters. ");
  439.         }
  440.         if (StringUtils.isEmpty(number)) {
  441.             resultMsg.append("the required field " + (dataType.equalsIgnoreCase("type4") ? "MSISDN" : "NUMBER") + " is empty; ");
  442.             return resultMsg;
  443.         }
  444.         if (dataType.equalsIgnoreCase("type4") ? number.length() > 16 : number.length() > 32) {
  445.             resultMsg.append("The maximum length of  " + (dataType.equalsIgnoreCase("type4") ? "MSISDN" : "NUMBER") + " is 32 characters; ");
  446.         }
  447.         if (!number.matches("^\\d+$")) {
  448.             resultMsg.append("The  number consists of digits; ");
  449.         }
  450.         if (number.startsWith("00")) {
  451.             resultMsg.append("The " + (dataType.equalsIgnoreCase("type4") ? "MSISDN" : "NUMBER") + " must be in the format of Country code(without 00)+Telephone number; ");
  452.         }
  453.         return resultMsg;
  454.     }
  455.     private Map<String, Object> validateAndProcessData(String filePath, Map<String, List<CellTemplate>> sheetDataMap, Boolean isFullLoad) {
  456.         List<String> messageInfo = new ArrayList<>();
  457.         Map<String, String> validationErrors = new HashMap<>();
  458.         Map<String, List<CellTemplate>> resultMap = new HashMap<>();
  459.         Map<String, Object> returnMap = new HashMap<>();
  460.         List<CellTemplate> cgiList = new ArrayList<>();
  461.         List<CellTemplate> ecgiList = new ArrayList<>();
  462.         AtomicReference<List<Map<String, Object>>> cellList = new AtomicReference<>(new ArrayList<>());
  463.         List<Future<?>> futures = new ArrayList<>();
  464.         List<CellTemplate> carrierData = sheetDataMap.get("Carrier");
  465.         List<String> laiAndTaiSeen = new ArrayList<>();
  466.         List<String> seen = new ArrayList<>();
  467.         final ExecutorService executorService = Executors.newFixedThreadPool(20);
  468.         saiList.clear();
  469.         laiList.clear();
  470.         taiList.clear();
  471.         laiData.clear();
  472.         taiData.clear();
  473.         // Carrier
  474.         if (carrierData != null && carrierData.size() == 1) {
  475.             errorList.clear();
  476.             messageInfo.clear();
  477.             List<Map<String, String>> queryParams = new ArrayList<>();
  478.             Map<String, String> param = new HashMap<>();
  479.             param.put("key", "CARRIER");
  480.             param.put("value", carrierData.get(0).getCarrierName());
  481.             queryParams.add(param);
  482.             List<PMCCarrier> queryCarrier = ppqMapper.queryCarrier(queryParams, null, null);
  483.             if (queryCarrier.size() < 1) {
  484.                 carrierId = null;
  485.                 messageInfo.add("[1]" + " The Carrier name does not exist in table; ");
  486.             } else {
  487.                 carrierId = queryCarrier.get(0).getIntId();
  488.             }
  489.         } else {
  490.             messageInfo.add("[1]" + " Only one carrier is allowed in the carrier sheet; ");
  491.         }
  492.         if (messageInfo.size() > 0) {
  493.             processingErrorMsg(filePath, messageInfo, 0);
  494.         }
  495.         //excel重复数据
  496.         if (isFullLoad) {
  497.             List<Map<String, Object>> cellListResult = new ArrayList<>();
  498.             cellListResult.addAll(ppqMapper.queryCell(null, null, null, null));
  499.             cellListResult.addAll(ppqMapper.queryLaiTai(null, null, null));
  500.             cellList.set(cellListResult);
  501.         }
  502.         // LAI
  503.         laiData = sheetDataMap.get("LAI");
  504.         if (null != laiData) {
  505.             int batchNo = 0;
  506. //            while (batchNo * BATCH_SIZE <= laiData.size()) {
  507. //                int startNo = batchNo * BATCH_SIZE;
  508. //                int end = Math.min(startNo + BATCH_SIZE, laiData.size());
  509. //                List<CellTemplate> batch = laiData.subList(startNo, end);
  510.             Future<?> laiFuture = executorService.submit(() -> {
  511.                 synchronized (this) {
  512.                     errorList.clear();
  513.                     messageInfo.clear();
  514.                     laiList.clear();
  515.                     boolean laiFound = false;
  516.                     for (int j = 0; j < laiData.size(); j++) {
  517.                         CellTemplate laiItem = laiData.get(j);
  518. //                            int finalJ = startNo + j;
  519.                         int finalJ = j;
  520.                         if (isFullLoad) {
  521.                             laiFound = cellList.get().stream()
  522.                                     .anyMatch(fzData -> fzData.containsKey("CELLID") && fzData.get("CELLID").equals(laiData.get(finalJ).getId()));
  523.                         }
  524.                         if (laiFound) {
  525.                             messageInfo.add("[" + (finalJ + 1) + "]" + " The data already exists in the table; ");
  526.                         }
  527.                         if (!laiAndTaiSeen.contains(laiItem.getId())) {
  528.                             laiAndTaiSeen.add(laiItem.getId());
  529.                             if (isValidLai(laiItem).length() < 1 && !laiFound) {
  530.                                 laiList.add(laiItem);
  531.                                 resultMap.put("LAI", laiList);
  532.                             } else {
  533.                                 messageInfo.add("[" + (j + 1) + "]" + isValidLai(laiItem));
  534.                             }
  535.                         } else {
  536.                             messageInfo.add("[" + (finalJ + 1) + "]" + " The same data exists in the imported template; ");
  537.                         }
  538.                     }
  539.                     if (messageInfo.size() > 0) {
  540.                         processingErrorMsg(filePath, messageInfo, 3);
  541.                     }
  542.                 }
  543.             });
  544.             futures.add(laiFuture);
  545.             batchNo++;
  546. //            }
  547.         }
  548.         // CGI
  549.         List<CellTemplate> cgiData = sheetDataMap.get("CGI");
  550.         if (null != cgiData) {
  551.             int batchNo = 0;
  552. //            while (batchNo * BATCH_SIZE <= cgiData.size()) {
  553. //                int startNo = batchNo * BATCH_SIZE;
  554. //                int end = Math.min(startNo + BATCH_SIZE, cgiData.size());
  555. //                List<CellTemplate> batch = cgiData.subList(startNo, end);
  556.             Future<?> cgiFuture = executorService.submit(() -> {
  557.                 synchronized (this) {
  558.                     errorList.clear();
  559.                     messageInfo.clear();
  560.                     boolean cgiFound = false;
  561.                     for (int j = 0; j < cgiData.size(); j++) {
  562.                         int finalI = j;
  563.                         if (isFullLoad) {
  564.                             cgiFound = cellList.get().stream()
  565.                                     .anyMatch(fzData -> fzData.containsKey("CELLID") && fzData.get("CELLID").equals(cgiData.get(finalI).getId()));
  566.                         }
  567.                         if (cgiFound) {
  568.                             messageInfo.add("[" + (j + 1) + "]" + " The data already exists in the table; ");
  569.                         }
  570.                         if (!laiAndTaiSeen.contains(cgiData.get(j).getId())) {
  571.                             laiAndTaiSeen.add(cgiData.get(j).getId());
  572.                             if (isValidCgi(cgiData.get(j)).length() < 1 && !cgiFound) {
  573.                                 cgiData.get(j).setLatitude(LongitudeAndLatitudeUtils.convertLatitudeAndLongitude(cgiData.get(j).getLatitude()) + "");
  574.                                 cgiData.get(j).setLongitude(LongitudeAndLatitudeUtils.convertLatitudeAndLongitude(cgiData.get(j).getLongitude()) + "");
  575.                                 cgiList.add(cgiData.get(j));
  576.                                 resultMap.put("CGI", cgiList);
  577.                             } else {
  578.                                 messageInfo.add("[" + (finalI + 1) + "]" + isValidCgi(cgiData.get(j)));
  579.                             }
  580.                         } else {
  581.                             messageInfo.add("[" + (finalI + 1) + "]" + " The same data exists in the imported template; ");
  582.                         }
  583.                     }
  584.                     if (messageInfo.size() > 0) {
  585.                         processingErrorMsg(filePath, messageInfo, 1);
  586.                     }
  587.                 }
  588.             });
  589.             futures.add(cgiFuture);
  590.             batchNo++;
  591. //            }
  592.         }
  593.         // TAI
  594.         taiData = sheetDataMap.get("TAI");
  595.         if (null != taiData) {
  596. //            int batchNo = 0;
  597. //            while (batchNo * BATCH_SIZE <= taiData.size()) {
  598. //                int startNo = batchNo * BATCH_SIZE;
  599. //                int end = Math.min(startNo + BATCH_SIZE, taiData.size());
  600. //                List<CellTemplate> batch = taiData.subList(startNo, end);
  601.             Future<?> taiFuture = executorService.submit(() -> {
  602.                 synchronized (this) {
  603.                     messageInfo.clear();
  604.                     errorList.clear();
  605.                     boolean taiFound = false;
  606.                     for (int j = 0; j < taiData.size(); j++) {
  607.                         int finalI = j;
  608.                         if (isFullLoad) {
  609.                             taiFound = cellList.get().stream()
  610.                                     .anyMatch(fzData -> fzData.containsKey("CELLID") && fzData.get("CELLID").equals(taiData.get(finalI).getId()));
  611.                         }
  612.                         if (taiFound) {
  613.                             messageInfo.add("[" + (finalI + 1) + "]" + " The data already exists in the table; ");
  614.                         }
  615.                         if (!seen.contains(taiData.get(j).getId())) {
  616.                             seen.add(taiData.get(j).getId());
  617.                             if (isValidTai(taiData.get(finalI)).length() < 1 && !taiFound) {
  618.                                 taiList.add(taiData.get(finalI));
  619.                                 resultMap.put("TAI", taiList);
  620.                             } else {
  621.                                 messageInfo.add("[" + (finalI + 1) + "]" + isValidTai(taiData.get(j)));
  622.                             }
  623.                         } else {
  624.                             messageInfo.add("[" + (finalI + 1) + "]" + " The same data exists in the imported template; ");
  625.                         }
  626.                     }
  627.                     if (messageInfo.size() > 0) {
  628.                         processingErrorMsg(filePath, messageInfo, 5);
  629.                         messageInfo.clear();
  630.                     }
  631.                 }
  632.             });
  633.             futures.add(taiFuture);
  634. //                batchNo++;
  635. //            }
  636.         }
  637.         // SAI
  638.         List<CellTemplate> saiData = sheetDataMap.get("SAI");
  639.         if (null != saiData) {
  640.             int batchNo = 0;
  641. //            while (batchNo * BATCH_SIZE <= saiData.size()) {
  642. //                int startNo = batchNo * BATCH_SIZE;
  643. //                int end = Math.min(startNo + BATCH_SIZE, saiData.size());
  644. //                List<CellTemplate> batch = saiData.subList(startNo, end);
  645.             Future<?> saiFuture = executorService.submit(() -> {
  646.                 synchronized (this) {
  647.                     messageInfo.clear();
  648.                     errorList.clear();
  649.                     boolean saiFound = false;
  650.                     for (int j = 0; j < saiData.size(); j++) {
  651.                         int finalI = j;
  652.                         if (isFullLoad) {
  653.                             saiFound = cellList.get().stream()
  654.                                     .anyMatch(fzData -> fzData.containsKey("CELLID") && fzData.get("CELLID").equals(saiData.get(finalI).getId()));
  655.                         }
  656.                         if (saiFound) {
  657.                             messageInfo.add("[" + (finalI + 1) + "]" + " The data already exists in the table; ");
  658.                         }
  659.                         if (!seen.contains(saiData.get(finalI).getId())) {
  660.                             seen.add(saiData.get(j).getId());
  661.                             if (isValidSai(saiData.get(finalI)).length() < 1) {
  662.                                 saiData.get(finalI).setLatitude(LongitudeAndLatitudeUtils.convertLatitudeAndLongitude(saiData.get(finalI).getLatitude()) + "");
  663.                                 saiData.get(finalI).setLongitude(LongitudeAndLatitudeUtils.convertLatitudeAndLongitude(saiData.get(finalI).getLongitude()) + "");
  664.                                 saiList.add(saiData.get(finalI));
  665.                                 resultMap.put("SAI", saiList);
  666.                             } else {
  667.                                 messageInfo.add("[" + (finalI + 1) + "]" + isValidSai(saiData.get(finalI)));
  668.                             }
  669.                         } else {
  670.                             messageInfo.add("[" + (finalI + 1) + "]" + " The same data exists in the imported template; ");
  671.                         }
  672.                     }
  673.                     if (messageInfo.size() > 0) {
  674.                         processingErrorMsg(filePath, messageInfo, 2);
  675.                     }
  676.                 }
  677.             });
  678.             futures.add(saiFuture);
  679.             batchNo++;
  680. //            }
  681.         }
  682.         // ECGI
  683.         List<CellTemplate> ecgiData = sheetDataMap.get("ECGI");
  684.         if (null != ecgiData) {
  685.             int batchNo = 0;
  686. //            while (batchNo * BATCH_SIZE <= ecgiData.size()) {
  687. //                int startNo = batchNo * BATCH_SIZE;
  688. //                int end = Math.min(startNo + BATCH_SIZE, ecgiData.size());
  689. //                List<CellTemplate> batch = ecgiData.subList(startNo, end);
  690.             Future<?> ecgiFuture = executorService.submit(() -> {
  691.                 synchronized (this) {
  692.                     messageInfo.clear();
  693.                     errorList.clear();
  694.                     boolean ecgiFound = false;
  695.                     for (int j = 0; j < ecgiData.size(); j++) {
  696.                         int finalI = j;
  697.                         if (isFullLoad) {
  698.                             ecgiFound = cellList.get().stream()
  699.                                     .anyMatch(fzData -> fzData.containsKey("CELLID") && fzData.get("CELLID").equals(ecgiData.get(finalI).getId()));
  700.                         }
  701.                         if (ecgiFound) {
  702.                             messageInfo.add("[" + (finalI + 1) + "]" + " The data already exists in the table; ");
  703.                         }
  704.                         if (!seen.contains(ecgiData.get(finalI).getId())) {
  705.                             seen.add(ecgiData.get(j).getId());
  706.                             if (isValidEcgi(ecgiData.get(finalI)).length() < 1) {
  707.                                 ecgiData.get(finalI).setLatitude(LongitudeAndLatitudeUtils.convertLatitudeAndLongitude(ecgiData.get(finalI).getLatitude()) + "");
  708.                                 ecgiData.get(finalI).setLongitude(LongitudeAndLatitudeUtils.convertLatitudeAndLongitude(ecgiData.get(finalI).getLongitude()) + "");
  709.                                 ecgiList.add(ecgiData.get(finalI));
  710.                                 resultMap.put("ECGI", ecgiList);
  711.                             } else {
  712.                                 messageInfo.add("[" + (finalI + 1) + "]" + isValidEcgi(ecgiData.get(finalI)));
  713.                             }
  714.                         } else {
  715.                             messageInfo.add("[" + (finalI + 1) + "]" + " The same data exists in the imported template; ");
  716.                         }
  717.                     }
  718.                     if (messageInfo.size() > 0) {
  719.                         processingErrorMsg(filePath, messageInfo, 4);
  720.                         messageInfo.clear();
  721.                     }
  722.                 }
  723.             });
  724.             futures.add(ecgiFuture);
  725.             batchNo++;
  726. //            }
  727.         }
  728.         for (Future<?> future : futures) {
  729.             try {
  730.                 future.get();
  731.             } catch (InterruptedException | ExecutionException e) {
  732.                 e.printStackTrace();
  733.             } finally {
  734.                 executorService.shutdown();
  735.             }
  736.         }
  737.         seen.clear();
  738.         laiAndTaiSeen.clear();
  739.         returnMap.put("validationErrors", validationErrors);
  740.         returnMap.put("data", resultMap);
  741.         log.info("Error message: {}", validationErrors.toString());
  742.         return returnMap;
  743.     }
  744.     public StringBuilder isValidCgi(CellTemplate cellTemplate) {
  745.         StringBuilder resultMsg = new StringBuilder();
  746.         if (null == cellTemplate.getId()) {
  747.             resultMsg.append("the required field ID is empty; ");
  748.         } else {
  749.             boolean exists = laiData.stream()
  750.                     .anyMatch(fzData -> null != cellTemplate && null != fzData.getId() && cellTemplate.getId().contains(fzData.getId()));
  751.             if (!exists) {
  752.                 resultMsg.append("the ID not exist in LAI sheet; ");
  753.             } else {
  754.                 if (!validIdLength(cellTemplate.getId(), 13, 14)) {
  755.                     resultMsg.append("the length of ID is not correct; ");
  756.                 } else {
  757.                     if (!isValidSaiAndCgiHex(cellTemplate.getId())) {
  758.                         resultMsg.append("the format of ID is not correct; ");
  759.                     }
  760.                 }
  761.             }
  762.         }
  763.         if (null == cellTemplate.getLongitude()) {
  764.             resultMsg.append("the required field longitude is empty; ");
  765.         } else {
  766.             resultMsg.append(isValidLongitude(cellTemplate.getLongitude()));
  767.         }
  768.         if (null == cellTemplate.getLatitude()) {
  769.             resultMsg.append("the required field latitude is empty; ");
  770.         } else {
  771.             resultMsg.append(isValidLatitude(cellTemplate.getLatitude()));
  772.         }
  773.         resultMsg.append(isValidName(cellTemplate.getName(), 200));
  774.         return resultMsg;
  775.     }
  776.     public StringBuilder isValidLai(CellTemplate cellTemplate) {
  777.         StringBuilder resultMsg = new StringBuilder();
  778.         if (null == cellTemplate.getId()) {
  779.             return resultMsg.append("the required field ID is empty; ");
  780.         } else {
  781.             if (!validIdLength(cellTemplate.getId(), 9, 10)) {
  782.                 resultMsg.append("the length of ID is not correct; ");
  783.             } else {
  784.                 if (!isValidLaiHex(cellTemplate.getId())) {
  785.                     resultMsg.append("the format of ID is not correct; ");
  786.                 }
  787.             }
  788.         }
  789.         return resultMsg.append(isValidName(cellTemplate.getName(), 200));
  790.     }
  791.     public StringBuilder isValidSai(CellTemplate cellTemplate) {
  792.         StringBuilder resultMsg = new StringBuilder();
  793.         if (null == cellTemplate.getId()) {
  794.             resultMsg.append("the required field ID is empty; ");
  795.         } else {
  796.             if (!validIdLength(cellTemplate.getId(), 13, 14)) {
  797.                 resultMsg.append("the length of ID is not correct; ");
  798.             } else {
  799.                 if (!isValidSaiAndCgiHex(cellTemplate.getId())) {
  800.                     resultMsg.append("the format of ID is not correct; ");
  801.                 }
  802.             }
  803.         }
  804.         if (null == cellTemplate.getLongitude()) {
  805.             resultMsg.append("the required field longitude is empty ;");
  806.         } else {
  807.             resultMsg.append(isValidLongitude(cellTemplate.getLongitude()));
  808.         }
  809.         if (null == cellTemplate.getLatitude()) {
  810.             resultMsg.append("the required field latitude is empty; ");
  811.         } else {
  812.             resultMsg.append(isValidLatitude(cellTemplate.getLatitude()));
  813.         }
  814.         resultMsg.append(isValidName(cellTemplate.getName(), 200));
  815.         return resultMsg;
  816.     }
  817.     public StringBuilder isValidEcgi(CellTemplate cellTemplate) {
  818.         StringBuilder resultMsg = new StringBuilder();
  819.         if (null == cellTemplate.getId()) {
  820.             resultMsg.append("the required field ID is empty; ");
  821.         } else {
  822.             if (!validIdLength(cellTemplate.getId(), 12, 13)) {
  823.                 resultMsg.append("the length of ID is not correct; ");
  824.             } else {
  825.                 if (!isValidEcgiHex(cellTemplate.getId())) {
  826.                     resultMsg.append("the format of ID is not correct; ");
  827.                 }
  828.             }
  829.         }
  830.         if (null == cellTemplate.getLongitude()) {
  831.             resultMsg.append("the required field longitude is empty; ");
  832.         } else {
  833.             resultMsg.append(isValidLongitude(cellTemplate.getLongitude()));
  834.         }
  835.         if (null == cellTemplate.getLatitude()) {
  836.             resultMsg.append("the required field latitude is empty; ");
  837.         } else {
  838.             resultMsg.append(isValidLatitude(cellTemplate.getLatitude()));
  839.         }
  840.         if (null != cellTemplate.getOwnerTai()) {
  841.             boolean exists = taiData.stream()
  842.                     .anyMatch(fzData -> cellTemplate != null && null != fzData.getId() && cellTemplate.getOwnerTai().equals(fzData.getId()));
  843.             if (!exists) {
  844.                 resultMsg.append("the ownerTai not exist in TAI sheet; ");
  845.             }
  846.         }
  847.         return resultMsg.append(isValidName(cellTemplate.getName(), 200));
  848.     }
  849.     public StringBuilder isValidTai(CellTemplate cellTemplate) {
  850.         StringBuilder resultMsg = new StringBuilder();
  851.         if (null == cellTemplate.getId()) {
  852.             resultMsg.append("the required field ID is empty; ");
  853.         } else {
  854.             if (!validIdLength(cellTemplate.getId(), 9, 10)) {
  855.                 resultMsg.append("the length of ID is not correct; ");
  856.             } else {
  857.                 if (!isValidTaiHex(cellTemplate.getId())) {
  858.                     resultMsg.append("the format of ID is not correct; ");
  859.                 }
  860.             }
  861.         }
  862.         return resultMsg.append(isValidName(cellTemplate.getName(), 200));
  863.     }
  864.     private boolean validIdLength(String id, int minLen, int maxLen) {
  865.         return id != null && id.length() >= minLen && id.length() <= maxLen;
  866.     }
  867.     private String isValidName(String name, int maxLength) {
  868.         if (null != name && name.length() > 200) {
  869.             return "the name length does not meet the specification; ";
  870.         }
  871.         return "";
  872.     }
  873.     //纬度
  874.     private StringBuilder isValidLatitude(String latitude) {
  875.         StringBuilder sb = new StringBuilder();
  876.         try {
  877.             String regex = "^([1-8]?\\d(?:\\.\\d+)?|90)(?:°(\\d{1,2})'([0-5]?\\d)"([NS]))?$";
  878.             Pattern pattern = Pattern.compile(regex);
  879.             Matcher matcher = pattern.matcher(latitude);
  880.             if (!matcher.matches()) {
  881.                 return sb.append("the latitude data format error;");
  882.             }
  883.             if (null != matcher.group(2)) {
  884.                 int degrees = Integer.parseInt(matcher.group(1));
  885.                 int minutes = Integer.parseInt(matcher.group(2));
  886.                 int seconds = Integer.parseInt(matcher.group(3));
  887.                 String direction = matcher.group(4);
  888.                 double decimalDegrees = degrees + minutes / 60.0 + seconds / 3600.0;
  889.                 if (direction.contains("S")) {
  890.                     decimalDegrees = -decimalDegrees;
  891.                 }
  892.                 return decimalDegrees >= -90.0 && decimalDegrees <= 90.0 ? sb.append("") : sb.append("the latitude data value range error; ");
  893.             } else {
  894.                 double decimalDegrees = Double.parseDouble(latitude);
  895.                 return decimalDegrees >= -90.0 && decimalDegrees <= 90.0 ? sb.append("") : sb.append("the latitude data value range error; ");
  896.             }
  897.         } catch (NumberFormatException e) {
  898.             log.error("Error parsing latitude", e);
  899.             return sb.append("the latitude data format error; ");
  900.         }
  901.     }
  902.     //经度
  903.     private StringBuilder isValidLongitude(String longitude) {
  904.         StringBuilder sb = new StringBuilder();
  905.         String regex = "^([1-8]?\\d(?:\\.\\d+)?|180)(?:°(\\d{1,2})'([0-5]?\\d)"([EW]))?$";
  906.         Pattern pattern = Pattern.compile(regex);
  907.         Matcher matcher = pattern.matcher(longitude);
  908.         if (!matcher.matches()) {
  909.             return sb.append("the longitude data format error; ");
  910.         }
  911.         if (null != matcher.group(2)) {
  912.             int degrees = Integer.parseInt(matcher.group(1));
  913.             int minutes = Integer.parseInt(matcher.group(2));
  914.             int seconds = Integer.parseInt(matcher.group(3));
  915.             String direction = matcher.group(4);
  916.             double decimalDegrees = degrees + minutes / 60.0 + seconds / 3600.0;
  917.             if (direction.contains("W")) {
  918.                 decimalDegrees = -decimalDegrees;
  919.             }
  920.             return decimalDegrees >= -180.0 && decimalDegrees <= 180.0 ? sb.append("") : sb.append("the longitude data value range error; ");
  921.         } else {
  922.             double decimalDegrees = Double.parseDouble(longitude);
  923.             return decimalDegrees >= -180.0 && decimalDegrees <= 180.0 ? sb.append("") : sb.append("the longitude data value range error; ");
  924.         }
  925.     }
  926.     private boolean isValidSaiAndCgiHex(String value) {
  927.         String decimalPart = value;
  928.         String hexPart = value;
  929.         if (value.length() == 13) {
  930.             decimalPart = value.substring(0, 8);
  931.             hexPart = value.substring(8).toLowerCase();
  932.         } else if (value.length() == 14) {
  933.             decimalPart = value.substring(0, 8);
  934.             hexPart = value.substring(8, 14).toLowerCase();
  935.         }
  936.         Pattern decimalPattern = Pattern.compile("[0-9]+");
  937.         Pattern hexPattern = Pattern.compile("[0-9a-fA-F]+");
  938.         return decimalPattern.matcher(decimalPart).matches() && hexPattern.matcher(hexPart).matches();
  939.     }
  940.     private boolean isValidEcgiHex(String value) {
  941.         String decimalPart = value;
  942.         String hexPart = value;
  943.         if (value.length() == 13) {
  944.             decimalPart = value.substring(0, 6);
  945.             hexPart = value.substring(6).toLowerCase();
  946.         } else if (value.length() == 12) {
  947.             decimalPart = value.substring(0, 5);
  948.             hexPart = value.substring(5).toLowerCase();
  949.         }
  950.         Pattern decimalPattern = Pattern.compile("[0-9]+");
  951.         Pattern hexPattern = Pattern.compile("[0-9a-fA-F]+");
  952.         return decimalPattern.matcher(decimalPart).matches() && hexPattern.matcher(hexPart).matches();
  953.     }
  954.     private boolean isValidTaiHex(String value) {
  955.         String decimalPart = value;
  956.         String hexPart = value;
  957.         if (value.length() == 10) {
  958.             decimalPart = value.substring(0, 6);
  959.             hexPart = value.substring(6).toUpperCase();
  960.         } else if (value.length() == 9) {
  961.             decimalPart = value.substring(0, 5);
  962.             hexPart = value.substring(5).toUpperCase();
  963.         }
  964.         Pattern decimalPattern = Pattern.compile("[0-9]+");
  965.         Pattern hexPattern = Pattern.compile("[0-9a-fA-F]+");
  966.         return decimalPattern.matcher(decimalPart).matches() && hexPattern.matcher(hexPart).matches();
  967.     }
  968.     private boolean isValidLaiHex(String data) {
  969.         String decimalPart = "";
  970.         String hexPart = "";
  971.         if (data.length() == 9) {
  972.             decimalPart = data.substring(0, 5);
  973.             hexPart = data.substring(5).toUpperCase();
  974.         } else if (data.length() == 10) {
  975.             decimalPart = data.substring(0, 6);
  976.             hexPart = data.substring(6).toUpperCase();
  977.         }
  978.         Pattern decimalPattern = Pattern.compile("[0-9]+");
  979.         Pattern hexPattern = Pattern.compile("[0-9a-fA-F]+");
  980.         return decimalPattern.matcher(decimalPart).matches() && hexPattern.matcher(hexPart).matches() && !hexPart.equalsIgnoreCase("0000") && !hexPart.equalsIgnoreCase("FFFF");
  981.     }
  982.     public void processingErrorMsg(String filePath, List<String> messageInfo, Integer sheetNo) {
  983.         List<ExcelErrorMessage> errorList = new ArrayList<>();
  984.         messageInfo.stream()
  985.                 .map(message -> message.split("\\[|\\]"))
  986.                 .filter(parts -> parts.length == 3)
  987.                 .forEach(parts -> {
  988.                     int number = Integer.parseInt(parts[1].trim()) + 1;
  989.                     String message = parts[2].trim().replaceAll(",", "");
  990.                     errorList.add(new ExcelErrorMessage()
  991.                             .setRowNum(number)
  992.                             .setMessage(message));
  993.                     cellDataListener.updateFlag();
  994.                 });
  995.         cellDataListener.generateErrorSheet(filePath, sheetNo, errorList);
  996.     }
复制代码
实体类:
  1. package com.inspur.softwaregroup.communication.nrms.cmconfig.model.pmc;
  2. import com.alibaba.excel.annotation.ExcelIgnoreUnannotated;
  3. import com.alibaba.excel.annotation.ExcelProperty;
  4. import com.baomidou.mybatisplus.annotation.TableName;
  5. import lombok.AllArgsConstructor;
  6. import lombok.Builder;
  7. import lombok.Data;
  8. import lombok.NoArgsConstructor;
  9. import java.io.Serializable;
  10. /**
  11. * @Author: pangyq
  12. * @CreateTime: 2024-10-12  14:26
  13. * @Description: TODO
  14. * @Version: 1.0
  15. */
  16. @Data
  17. @Builder
  18. @TableName("IM_PMC_CELL")
  19. @NoArgsConstructor
  20. @AllArgsConstructor
  21. @ExcelIgnoreUnannotated
  22. public class CellTemplate  implements Serializable {
  23.     private static final long serialVersionUID = 1L;
  24.     @ExcelProperty("ID(M)")
  25.     private String id;
  26.     @ExcelProperty("Carrier Name(M)")
  27.     private  String carrierName;
  28.     @ExcelProperty("name(O)")
  29.     private String name;
  30.     @ExcelProperty("latitude(M)")
  31.     private String latitude;
  32.     @ExcelProperty("longitude(M)")
  33.     private String longitude;
  34.     @ExcelProperty("owner TAI(O)")
  35.     private String ownerTai;
  36.     private String lai;
  37.     private String tai;
  38.     private String cgiSai;
  39.     private String ecgi;
  40.     private String cellType;
  41. }
复制代码
esayexecel:
  1. import com.alibaba.excel.context.AnalysisContext;
  2. import com.alibaba.excel.event.AnalysisEventListener;
  3. import com.alibaba.excel.read.metadata.ReadSheet;
  4. import com.alibaba.excel.read.metadata.holder.ReadWorkbookHolder;
  5. import lombok.extern.slf4j.Slf4j;
  6. import org.apache.poi.hssf.usermodel.HSSFWorkbook;
  7. import org.apache.poi.ss.usermodel.Cell;
  8. import org.apache.poi.ss.usermodel.CellStyle;
  9. import org.apache.poi.ss.usermodel.FillPatternType;
  10. import org.apache.poi.ss.usermodel.IndexedColors;
  11. import org.apache.poi.ss.usermodel.Row;
  12. import org.apache.poi.ss.usermodel.Sheet;
  13. import java.io.FileInputStream;
  14. import java.io.FileOutputStream;
  15. import java.io.IOException;
  16. import java.util.ArrayList;
  17. import java.util.HashMap;
  18. import java.util.List;
  19. import java.util.Map;
  20. import java.util.stream.Collectors;
  21. /**
  22. * @Author: pangyq
  23. * @CreateTime: 2024-10-12  09:09
  24. * @Description: TODO
  25. * @Version: 1.0
  26. */
  27. @Slf4j
  28. public class CellDataListener extends AnalysisEventListener<CellTemplate> {
  29.     private Map<String, List<CellTemplate>> sheetDataMap = new HashMap<String, List<CellTemplate>>();
  30.     private List<CellTemplate> currentSheetData = new ArrayList<>();
  31.     private final static String ERROR_COLUMN_NAME = "Error message";
  32.     //错误信息标志
  33.     boolean flag =true;
  34.     private List<String> sheetNames = new ArrayList<>();
  35.     private int sheetIndex = 0;
  36.     @Override
  37.     public void invoke(CellTemplate data, AnalysisContext context) {
  38.         currentSheetData.add(data);
  39.     }
  40.     @Override
  41.     public void doAfterAllAnalysed(AnalysisContext context) {
  42.         String sheetName = context.readSheetHolder().getSheetName();
  43.         List<CellTemplate> sheetData = new ArrayList<>();
  44.         sheetData.addAll(currentSheetData);
  45.         sheetDataMap.put(sheetName, sheetData);
  46.         currentSheetData.clear();
  47.     }
  48.     public  Boolean isVaild(){
  49.         return this.flag;
  50.     }
  51.     public  void initFlag(){
  52.        this.flag=true;
  53.     }
  54.     public  void updateFlag(){
  55.         this.flag=false;
  56.     }
  57.     public Map<String, List<CellTemplate>> getDataList() {
  58.         sheetDataMap.entrySet().stream().forEach(e -> {
  59.             if ("CGI".equalsIgnoreCase(e.getKey()) ) {
  60.                 e.getValue().forEach(k -> {
  61.                     k.setCellType("cgi");
  62.                 });
  63.             } else if ("LAI".equalsIgnoreCase(e.getKey())) {
  64.                 e.getValue().forEach(k -> {
  65.                     k.setCellType("lai");
  66.                 });
  67.             } else if ("ECGI".equalsIgnoreCase(e.getKey())) {
  68.                 e.getValue().forEach(k -> {
  69.                     k.setCellType("ecgi");
  70.                 });
  71.             } else if ("TAI".equalsIgnoreCase(e.getKey())) {
  72.                 e.getValue().forEach(k -> {
  73.                     k.setCellType("tai");
  74.                 });
  75.             }else if ("SAI".contentEquals(e.getKey())) {
  76.                 e.getValue().forEach(k -> {
  77.                     k.setCellType("cgi");
  78.                 });
  79.             }
  80.         });
  81.         return sheetDataMap;
  82.     }
  83.     public Boolean generateErrorSheet(String filePath,Integer sheetNo,List<ExcelErrorMessage> errorList) {
  84.         Map<Integer, String> errorMap = errorList.stream().collect(Collectors.groupingBy(ExcelErrorMessage::getRowNum,
  85.                 Collectors.mapping(ExcelErrorMessage::getMessage, Collectors.joining(";"))));
  86.         HSSFWorkbook workbook = null;
  87.         try (
  88.                 FileInputStream inputStream = new FileInputStream(filePath)) {
  89.             workbook = new HSSFWorkbook(inputStream);
  90.             Sheet sheet = workbook.getSheetAt(sheetNo);
  91.             CellStyle style = workbook.createCellStyle();
  92.             Row headerRow = sheet.getRow(0);
  93.             short lastCellNum = headerRow.getLastCellNum();
  94.             Cell lastValidCell = headerRow.getCell(lastCellNum - 1);
  95.             if (lastValidCell != null) {
  96.                 if (!ERROR_COLUMN_NAME.equals(lastValidCell.getStringCellValue())) {
  97.                     Cell errorHeaderCell = headerRow.createCell(lastCellNum);
  98.                     errorHeaderCell.setCellValue(ERROR_COLUMN_NAME);
  99.                     errorMap.forEach((rowNum, msg) -> {
  100.                         Row row = sheet.getRow(rowNum - 1);
  101.                         if (row != null) {
  102.                             Cell errorCell = row.createCell(lastCellNum);
  103.                             errorCell.setCellValue(msg);
  104.                             errorCell.setCellStyle(style);
  105.                         }
  106.                     });
  107.                 } else {
  108.                     int lastRowNum = sheet.getLastRowNum();
  109.                     for (int rowNum = 1; rowNum <= lastRowNum; rowNum++) {
  110.                         Row row = sheet.getRow(rowNum);
  111.                         String setErrorMsg = errorMap.get(rowNum + 1);
  112.                         Cell errorCell = row.getCell(lastCellNum - 1);
  113.                         if (setErrorMsg == null) {
  114.                             style.setFillBackgroundColor(IndexedColors.WHITE.getIndex());
  115.                             style.setFillPattern(FillPatternType.NO_FILL);
  116.                             if (errorCell != null) {
  117.                                 errorCell.setBlank();
  118.                                 errorCell.setCellStyle(style);
  119.                             }
  120.                         } else {
  121.                             style.setFillPattern(FillPatternType.SOLID_FOREGROUND);
  122.                             style.setFillForegroundColor(IndexedColors.LIGHT_YELLOW.getIndex());
  123.                             if (errorCell == null) {
  124.                                 errorCell = row.createCell(lastCellNum - 1);
  125.                             }
  126.                             errorCell.setCellStyle(style);
  127.                             errorCell.setCellValue(setErrorMsg);
  128.                             this.flag=false;
  129.                         }
  130.                     }
  131.                 }
  132.             }
  133.         } catch (IOException e) {
  134.             log.error("Failed to generate an error message. Procedure,", e);
  135.             throw new RuntimeException("Failed to generate an error message. Procedure");
  136.         }
  137.         try (FileOutputStream outputStream = new FileOutputStream(filePath)) {
  138.             workbook.write(outputStream);
  139.             workbook.close();
  140.         } catch (IOException e) {
  141.             log.error("Failed to generate an error message. Procedure,", e);
  142.             throw new RuntimeException("Failed to generate an error message. Procedure");
  143.         }
  144.         return true;
  145.     }
  146.     public List<String> getSheetNames() {
  147.         return sheetNames;
  148.     }
  149.     public int getSheetIndex() {
  150.         return sheetIndex;
  151.     }
  152.     public void setSheetIndex(int sheetIndex) {
  153.         this.sheetIndex = sheetIndex;
  154.     }
  155. }
复制代码
经纬度转换工具类:
  1. import lombok.extern.slf4j.Slf4j;
  2. import java.text.DecimalFormat;
  3. import java.util.regex.Matcher;
  4. import java.util.regex.Pattern;
  5. /**
  6. * @Author: pangyq
  7. * @CreateTime: 2024-10-16  08:38
  8. * @Description: TODO
  9. * @Version: 1.0
  10. */
  11. @Slf4j
  12. public class LongitudeAndLatitudeUtils {
  13.     private StringBuilder isValidLatitude(String latitude) {
  14.         StringBuilder sb = new StringBuilder();
  15.         try {
  16.             String regex = "^([1-8]?\\d(?:\\.\\d+)?|90)(?:°(\\d{1,2})'([0-5]?\\d)"([NS]))?$";
  17.             Pattern pattern = Pattern.compile(regex);
  18.             Matcher matcher = pattern.matcher(latitude);
  19.             if (!matcher.matches()) {
  20.                 return sb.append("the latitude data format error;");
  21.             }
  22.             if (null != matcher.group(2)) {
  23.                 int degrees = Integer.parseInt(matcher.group(1));
  24.                 int minutes = Integer.parseInt(matcher.group(2));
  25.                 int seconds = Integer.parseInt(matcher.group(3));
  26.                 String direction = matcher.group(4);
  27.                 double decimalDegrees = degrees + minutes / 60.0 + seconds / 3600.0;
  28.                 if (direction.contains("S")) {
  29.                     decimalDegrees = -decimalDegrees;
  30.                 }
  31.                 return decimalDegrees >= -90.0 && decimalDegrees <= 90.0 ? sb.append("") : sb.append("the latitude data value range error; ");
  32.             } else {
  33.                 double decimalDegrees = Double.parseDouble(latitude);
  34.                 return decimalDegrees >= -90.0 && decimalDegrees <= 90.0 ? sb.append("") : sb.append("the latitude data value range error; ");
  35.             }
  36.         } catch (NumberFormatException e) {
  37.             log.error("Error parsing latitude", e);
  38.             return sb.append("the latitude data format error; ");
  39.         }
  40.     }
  41.     private StringBuilder isValidLongitude(String longitude) {
  42.         StringBuilder sb = new StringBuilder();
  43.         String regex = "^([1-8]?\\d(?:\\.\\d+)?|180)(?:°(\\d{1,2})'([0-5]?\\d)"([EW]))?$";
  44.         Pattern pattern = Pattern.compile(regex);
  45.         Matcher matcher = pattern.matcher(longitude);
  46.         if (!matcher.matches()) {
  47.             return sb.append("the longitude data format error; ");
  48.         }
  49.         if (null != matcher.group(2)) {
  50.             int degrees = Integer.parseInt(matcher.group(1));
  51.             int minutes = Integer.parseInt(matcher.group(2));
  52.             int seconds = Integer.parseInt(matcher.group(3));
  53.             String direction = matcher.group(4);
  54.             double decimalDegrees = degrees + minutes / 60.0 + seconds / 3600.0;
  55.             if (direction.contains("W")) {
  56.                 decimalDegrees = -decimalDegrees;
  57.             }
  58.             return decimalDegrees >= -180.0 && decimalDegrees <= 180.0 ? sb.append("") : sb.append("the longitude data value range error; ");
  59.         } else {
  60.             double decimalDegrees = Double.parseDouble(longitude);
  61.             return decimalDegrees >= -180.0 && decimalDegrees <= 180.0 ? sb.append("") : sb.append("the longitude data value range error; ");
  62.         }
  63.     }
  64.     public static double convertLatitudeAndLongitude(String inputCoordinate) {
  65.         final String DECIMAL_FORMAT = "0.0000000";
  66.         if (inputCoordinate == null || !inputCoordinate.matches("\\d+°\\d+'\\d+"[NSWE]")) {
  67.             throw new IllegalArgumentException("Invalid DMS format: " + inputCoordinate);
  68.         }
  69.         try {
  70.             String[] parts = inputCoordinate.split("[°'"]");
  71.             int du = Integer.parseInt(parts[0]);
  72.             double min = Double.parseDouble(parts[1]);
  73.             double sec = Double.parseDouble(parts[2]);
  74.             double decimalDegree = du + (min / 60) + (sec / 3600);
  75.             char direction = inputCoordinate.charAt(inputCoordinate.length() - 2);
  76.             if (direction == 'W' || direction == 'S') {
  77.                 decimalDegree *= -1;
  78.             }
  79.             DecimalFormat df = new DecimalFormat(DECIMAL_FORMAT);
  80.             return Double.parseDouble(df.format(decimalDegree));
  81.         } catch (NumberFormatException | ArrayIndexOutOfBoundsException e) {
  82.             throw new IllegalArgumentException("Error parsing DMS string: " + inputCoordinate, e);
  83.         }
  84.     }
  85.     public static String convertToDMS(double decimalDegree, boolean isLatitude) {
  86.         if (Double.isNaN(decimalDegree) || Double.isInfinite(decimalDegree)) {
  87.             throw new IllegalArgumentException("Invalid input: decimalDegree must be a finite number.");
  88.         }
  89.         try {
  90.             boolean isNegative = decimalDegree < 0;
  91.             decimalDegree = Math.abs(decimalDegree);
  92.             int degrees = (int) decimalDegree;
  93.             double minutes = (decimalDegree - degrees) * 60;
  94.             int mins = (int) minutes;
  95.             double seconds = (minutes - mins) * 60;
  96. //            DecimalFormat df = new DecimalFormat("0.0");
  97.             DecimalFormat df = new DecimalFormat("0");
  98.             String formattedMins = df.format(mins);
  99.             String formattedSecs = df.format(seconds);
  100.             String direction;
  101.             if (isLatitude) {
  102.                 direction = isNegative ? "S" : "N";
  103.             } else {
  104.                 direction = isNegative ? "W" : "E";
  105.             }
  106.             return degrees + "°" + formattedMins + "'" + formattedSecs + """ + direction;
  107.         } catch (Exception e) {
  108.             throw new RuntimeException("An error occurred while converting to DMS format: " + e.getMessage(), e);
  109.         }
  110.     }
  111. }
复制代码
代码可以贴在记事本上,用到哪里去截取一下,一开始只做了某一种范例的导入导出,厥后添加了范例,于是,搞了这么一堆,数据校验也挺烦人的,大部分都是校验规则,别的truncate和创建临时表,是某位老师提供的思路,二话不说直接听取,mapper也贴个大概吧:
  1.     <update id="createTempTable">
  2.         CREATE TABLE ${newTable} AS  SELECT * FROM ${oldTable}
  3.     </update>
  4.     <update id="truncateTable" parameterType="java.lang.String">
  5.         TRUNCATE TABLE ${tableName}
  6.     </update>
  7.     <update id="recoveryContent" parameterType="java.lang.String">
  8.         INSERT INTO ${oldTable} SELECT * FROM ${tempTable}
  9.     </update>
  10.     <update id="removeTable">
  11.         DROP TABLE ${tableName}
  12.     </update>
复制代码


免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

南飓风

金牌会员
这个人很懒什么都没写!

标签云

快速回复 返回顶部 返回列表