记一个带批注、表头样式的导入导出excel方法(基于easyexcel)

技术栈:easyexcel-2.2.10,poi-4.1.2,lombok,hutool-5.8.19;公司自用导入导出方法,可能不是那么的优雅,但胜在稳定实用。

/*** @Author 955* @Date 2023-10-10 11:52* @Description 错误批注信息对象*/
@Data
public class ErrorTypeNewVo implements Serializable {public ErrorTypeNewVo(String name, String message) {this.name = name;this.errors = message;}public ErrorTypeNewVo(String message, String name, int rownum, int cellnum) {this.name = name;this.errors = message;this.lineNum = rownum;this.cellnum = cellnum;}private String name;private String errors;private int lineNum;private int cellnum;}

一些要用到的工具类或方法

    /*** 取得cell内的值** @param cell* @return*/public static String getStrByCell(Cell cell) {if (cell == null)return null;String temp = null;switch (cell.getCellType()) {case BLANK:case STRING:temp = cell.getStringCellValue();break;case FORMULA:try {temp = cell.getStringCellValue();} catch (IllegalStateException e) {temp = cell.getNumericCellValue() + "";}break;case NUMERIC:boolean remar = false;try {remar = DateUtil.isCellDateFormatted(cell);} catch (Exception e) {// TODO: handle exception}if (remar) {double d = cell.getNumericCellValue();Date date = DateUtil.getJavaDate(d);SimpleDateFormat a = new SimpleDateFormat("yyyy-MM-dd");temp = a.format(date);} else {temp = String.valueOf(cell.getNumericCellValue());}break;default:temp = cell.getStringCellValue();break;}if (temp.trim().equals(""))temp = null;elsetemp = temp.trim();return temp;}/*** 设置单元格样式** @param workbook* @param cell* @param col* @param fg*/public void setStyle(XSSFWorkbook workbook, Cell cell, String col, XSSFColor fg) {XSSFCellStyle style = workbook.createCellStyle();style.setFillForegroundColor(fg);// style.setFillPattern(CellStyle.SOLID_FOREGROUND);cell.setCellStyle(style);cell.setCellValue(col);}/*** 表头样式** @return*/public static WriteCellStyle getHeadWriteCellStyle() {WriteCellStyle headWriteCellStyle = new WriteCellStyle();headWriteCellStyle.setVerticalAlignment(VerticalAlignment.CENTER);headWriteCellStyle.setHorizontalAlignment(HorizontalAlignment.CENTER);headWriteCellStyle.setFillForegroundColor(IndexedColors.GREY_25_PERCENT.index);headWriteCellStyle.setBottomBorderColor(IndexedColors.BLACK.index);headWriteCellStyle.setLeftBorderColor(IndexedColors.BLACK.index);headWriteCellStyle.setRightBorderColor(IndexedColors.BLACK.index);headWriteCellStyle.setTopBorderColor(IndexedColors.BLACK.index);return headWriteCellStyle;}/*** 内容样式** @return*/public static WriteCellStyle getContentWriteCellStyle() {WriteCellStyle contentWriteCellStyle = new WriteCellStyle();contentWriteCellStyle.setWrapped(true);
//        contentWriteCellStyle.setFillForegroundColor(IndexedColors.LEMON_CHIFFON.index);
//        contentWriteCellStyle.setFillPatternType(FillPatternType.SOLID_FOREGROUND);
//        contentWriteCellStyle.setWriteFont();contentWriteCellStyle.setVerticalAlignment(VerticalAlignment.CENTER);contentWriteCellStyle.setHorizontalAlignment(HorizontalAlignment.CENTER);return contentWriteCellStyle;}/*** 设置表头数据** @return*/private List<List<String>> head(List<String> titleName) {List<List<String>> list = new ArrayList<List<String>>();if (CollUtil.isNotEmpty(titleName)) {for (String s : titleName) {List<String> head = new ArrayList<String>();head.add(s);list.add(head);}}return list;}/*** @content 得到不同的时间类型* @author liuxd* @time 2011/07/24 22:00*/public static String getNow(int type) {SimpleDateFormat sdf = null;switch (type) {case 0:sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS");break;case 1:sdf = new SimpleDateFormat("yyyyMMdd");break;case 2:sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");break;case 3:sdf = new SimpleDateFormat("yyyyMM");break;case 4:sdf = new SimpleDateFormat("yyyy年MM月dd日");break;case 5:sdf = new SimpleDateFormat("yyyy-MM-dd");break;case 6:sdf = new SimpleDateFormat("yyyyMMddHHmmssSSS"); //取到毫秒break;case 7:sdf = new SimpleDateFormat("yyyyMMddHHmmss"); //取到秒break;default:sdf = new SimpleDateFormat("yyyy-M-D");break;}return sdf.format(new Date());}

导出方法体

import cn.hutool.core.collection.CollUtil;
import cn.hutool.core.util.ObjectUtil;
import cn.hutool.core.util.StrUtil;
import com.alibaba.excel.EasyExcel;
import com.alibaba.excel.ExcelWriter;
import com.alibaba.excel.metadata.Head;
import com.alibaba.excel.support.ExcelTypeEnum;
import com.alibaba.excel.write.builder.ExcelWriterBuilder;
import com.alibaba.excel.write.metadata.WriteSheet;
import com.alibaba.excel.write.metadata.style.WriteCellStyle;
import com.alibaba.excel.write.style.HorizontalCellStyleStrategy;
import com.alibaba.excel.write.style.column.AbstractHeadColumnWidthStyleStrategy;
import lombok.AllArgsConstructor;
import org.apache.poi.ss.usermodel.*;
import org.apache.poi.xssf.usermodel.*;
import org.springframework.stereotype.Service;import java.io.*;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Date;
import java.util.List;private static int index = 500000;/*** * @param titleName sheet名称* @param tittleNames 标题集合* @param vos 内容详情集合* @param errorListVo 错误批注集合* @return*/public String newCreateExcelTemple_Object(String titleName, List<String> tittleNames, List<List<Object>> vos, List<ErrorTypeNewVo> errorListVo) {String fileName = OrgTools.getNow(6) + ".xlsx";//本地文件名随意取String locaPath = path + fileName;OutputStream out = null;try {out = new FileOutputStream(locaPath);} catch (FileNotFoundException e) {e.printStackTrace();}try {// 设置数据集合List<List<String>> dataList = new ArrayList<List<String>>();if (CollUtil.isNotEmpty(vos)) {for (List<Object> objects : vos) {List<String> strs = new ArrayList<>();for (Object obj : objects) {String str = null;if (obj != null) {if (obj instanceof Date) {SimpleDateFormat ff = new SimpleDateFormat("yyyy-MM-dd");str = ff.format(obj);} else {str = obj.toString();}}strs.add(str);}dataList.add(strs);}ExcelWriterBuilder writerBuilder = EasyExcel.write();writerBuilder.file(out);writerBuilder.excelType(ExcelTypeEnum.XLSX);writerBuilder.head(head(tittleNames));ExcelWriter excelWriter = writerBuilder.build();// 写第一个sheet, sheet1 数据全是List<String> 无模型映射关系long total = dataList.size();long count = total / 500000;if (total % 500000 > 0) {count++;}WriteCellStyle headWriteCellStyle = getHeadWriteCellStyle();WriteCellStyle contentWriteCellStyle = getContentWriteCellStyle();//这个策略是 头是头的样式 内容是内容的样式HorizontalCellStyleStrategy horizontalCellStyleStrategy =new HorizontalCellStyleStrategy(headWriteCellStyle, contentWriteCellStyle);for (int i = 0; i < count; i++) {List<List<String>> temp = new ArrayList<List<String>>();if (i == count - 1) {temp = dataList.subList(i * index, dataList.size());} else {temp = dataList.subList(i * index, (i + 1) * index);}WriteSheet sheet1 = EasyExcel.writerSheet(i, titleName + i).registerWriteHandler(horizontalCellStyleStrategy).registerWriteHandler(new AbstractHeadColumnWidthStyleStrategy() {@Overrideprotected Integer columnWidth(Head head, Integer columnIndex) {if (head == null) {return 17;}// 简单根据列头名称长度进行调整列的宽度// 当遍历完所有指定的head列头后// 第一行数据的第一列也会进入到这个逻辑, 此时head 为 nullreturn head.getHeadNameList().get(0).length() * 10;}}).build();excelWriter.write(temp, sheet1);}excelWriter.finish();}} catch (Exception e) {e.printStackTrace();} finally {try {if (out != null) {out.close();}} catch (IOException e) {e.printStackTrace();}}InputStream inputStream = null;try {inputStream = new FileInputStream(locaPath);XSSFWorkbook wb = new XSSFWorkbook(inputStream);XSSFSheet sheet = wb.getSheetAt(0);for (ErrorTypeNewVo errorTypevo : errorListVo) {Row row = sheet.getRow(errorTypevo.getLineNum());Cell cell = row.getCell(errorTypevo.getCellnum());if (cell == null) {cell = row.getCell(errorTypevo.getCellnum() - 1);}String name = errorTypevo.getName();String messageAll = errorTypevo.getErrors();String message = "";if (StrUtil.isNotEmpty(name)) {message += "错误类型:" + name;}if (StrUtil.isNotEmpty(messageAll)) {message += ",详细错误:" + messageAll;}String t1 = "";try {t1 = getStrByCell(cell);} catch (Exception e) {e.printStackTrace();}XSSFColor color = new XSSFColor(java.awt.Color.red);if (t1 != null) {setStyle(wb, cell, t1, color);} else {t1 = "";if (StrUtil.isNotEmpty(name)) {t1 += "错误类型:" + name;}if (StrUtil.isNotEmpty(messageAll)) {t1 += ",详细错误:" + messageAll;}setStyle(wb, cell, t1, color);}if (cell != null) {//设置批注:能解决Multiple cell comments in one cell are not allowed, cell: xx问题Comment mainComment = cell.getCellComment();if (ObjectUtil.isEmpty(mainComment)) {mainComment = sheet.createDrawingPatriarch().createCellComment(new XSSFClientAnchor(0, 0, 0, 0, cell.getColumnIndex(), cell.getRowIndex(), cell.getColumnIndex() + 2, cell.getRowIndex() + 3));mainComment.setString(new XSSFRichTextString(message));cell.setCellComment(mainComment);sheet.autoSizeColumn(cell.getColumnIndex());}}}// 临时缓冲区ByteArrayOutputStream out2 = new ByteArrayOutputStream();// 创建临时文件wb.write(out2);byte[] bookByteAry = out2.toByteArray();inputStream = new ByteArrayInputStream(bookByteAry);try {//只需替换这里的系统文件导出方法即可fileTemplate.putObject("桶名", fileName, inputStream);} catch (Exception e) {e.printStackTrace();}} catch (FileNotFoundException e1) {e1.printStackTrace();} catch (IOException e) {e.printStackTrace();} finally {if (inputStream != null) {try {inputStream.close();} catch (IOException e) {e.printStackTrace();} finally {File file1 = new File(locaPath);if (file1.exists() && file1.isFile()) {file1.delete();}}}}return fileName;}

导入vo对象示例

@Data
@ColumnWidth(value = 30)
public class ExamExcelVo {@ExcelProperty(value = "考试题目", index = 0)private String questionStem;@ExcelProperty(value = "答题类型", converter = EasyExcelTopicTypeConverter.class, index = 1)private String questionType;@ExcelProperty(value = "正确答案", index = 2)private String answer;@ExcelProperty(value = "考题标签", index = 3)private String major;@ExcelProperty(value = "题要求", converter = EasyExcelDemandConverter.class, index = 4)private String demand;@ExcelProperty(value = "选项A", index = 5)private String optionA;@ExcelProperty(value = "选项B", index = 6)private String optionB;@ExcelProperty(value = "选项C", index = 7)private String optionC;@ExcelProperty(value = "选项D", index = 8)private String optionD;@ExcelProperty(value = "选项E", index = 9)private String optionE;/*** 判断正确选项,反射得到字段值(非必要)** @return*/public List<String> concatenateFields() {List<String> values = new ArrayList<>();try {if (StrUtil.isNotEmpty(answer)) {answer = answer.replaceAll(" ", "");// 使用 HashSet 来存储不重复的字母Set<Character> uniqueLetters = new HashSet<>();// 使用正则表达式匹配 A 到 Z 和 a 到 z 的字母Pattern pattern = Pattern.compile("[a-zA-Z]");Matcher matcher = pattern.matcher(answer);while (matcher.find()) {char letter = matcher.group().charAt(0);// 使用大写字母存储,以忽略大小写uniqueLetters.add(Character.toUpperCase(letter));}List<String> r = new ArrayList<>();for (char letter : uniqueLetters) {r.add(letter + "");}for (String fieldName : r) {Field field = this.getClass().getDeclaredField("option" + fieldName);String value = (String) field.get(this);values.add(value);}}} catch (Exception e) {}return values;}
}

字段处理示例

/*** @Author 955* @Date 2023-09-21 18:28* @Description 字段处理*/
public class EasyExcelTopicTypeConverter implements Converter<String> {@Overridepublic Class<String> supportJavaTypeKey() {return String.class;}@Overridepublic CellDataTypeEnum supportExcelTypeKey() {return CellDataTypeEnum.STRING;}@Overridepublic String convertToJavaData(CellData cellData, ExcelContentProperty contentProperty, GlobalConfiguration globalConfiguration) throws Exception {if (StrUtil.isNotEmpty(cellData.getStringValue())) {//处理逻辑。。。//最终返回的值return xxx;}return null;}@Overridepublic CellData convertToExcelData(String value, ExcelContentProperty contentProperty, GlobalConfiguration globalConfiguration) throws Exception {if (StrUtil.isNotEmpty(value)) {String name = CourseBaseEnum.ExamType.getNameById(value);return new CellData(name);}return new CellData("");}
}

工具方法

    /*** 剔除全部字段为null数据对象** @param excelVo*/private void eliminateNullList(List<ExamExcelVo> excelVo) {if (excelVo != null) {Iterator<ExamExcelVo> iterator = excelVo.iterator();while (iterator.hasNext()) {ExamExcelVo next = iterator.next();if (isAllFieldNull(next)) {iterator.remove();}}}}/***  获取表头集合* @param t* @param objmap* @return*/public Map<String, Integer> getFieldAnnotations(Class t, Map<String, Integer> objmap) {try {Map<String, Integer> heads = new LinkedHashMap<>();Field[] fields = t.getDeclaredFields();for (Field field : fields) {ExcelProperty excelpro = (ExcelProperty) field.getAnnotation(ExcelProperty.class);heads.put(excelpro.value()[0], excelpro.index());
//                heads.add(excelpro.value()[0]);objmap.put(field.getName(), excelpro.index());}return heads;} catch (Exception e) {e.printStackTrace();}return null;}

模版导入返回带批注的错误信息方法

    public R<?> importExams(List<ExamExcelVo> excelVo) {List<List<Object>> errorList = new ArrayList<List<Object>>();eliminateNullList(excelVo);try {List<ErrorTypeNewVo> errorListVo = new ArrayList<>();Map<String, Integer> objmap = new LinkedHashMap<>();Map<String, Integer> heads = getFieldAnnotations(ExamExcelVo.class, objmap);for (int i = 0; i < excelVo.size(); i++) {List<ErrorTypeNewVo> errorTypeVos = new ArrayList<ErrorTypeNewVo>();ExamExcelVo vo = excelVo.get(i);String questionStem = vo.getQuestionStem();ExaminationQuestion question = new ExaminationQuestion();if (StrUtil.isEmpty(questionStem)) {errorTypeVos.add(new ErrorTypeNewVo("题目内容为空", "请重新填写", errorList.size() + 1, heads.get("考试题目")));} else {question.setQuestionStem(questionStem);}//.......等等等等判断if (CollUtil.isEmpty(errorTypeVos)) {//没有错误信息操作.......} else {//有错误信息操作List<Object> o = new ArrayList<>();Map<String, Object> map = BeanUtil.beanToMap(vo);for (Map.Entry<String, Integer> entry : objmap.entrySet()) {if (map.get(entry.getKey()) != null) {o.add(map.get(entry.getKey()));} else {o.add("");}}errorList.add(o);errorListVo.addAll(errorTypeVos);}}if (errorListVo.size() > 0) {//生成错误文件String XSSFSheetName = "导入错误信息" + System.currentTimeMillis();List<String> collect = heads.keySet().stream().collect(Collectors.toList());//调用上方导出方法String BUCKET_NAME = newCreateExcelTemple_Object(XSSFSheetName, collect, errorList, errorListVo);return 导入有错误信息;}} catch (Exception e) {e.printStackTrace();}return 导入成功信息;}

导入接口示例:

    @ApiOperation("批量导入试题")@PostMapping(value = "/importExams")public 返回参数 importExams(@RequestExcel List<ExamExcelVo> excelVo) {return importExams(excelVo);}

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

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

相关文章

superset支持Kylin4.0.0(兼容处理日期分组功能)

问题总结 1. superset默认不支持kylin数据源 安装kylinpy pip install kylinpy 2. 安装kylin驱动后,无法连接kylin地址 修改site-packages/kylinpy/sqla_dialect.py文件 2.1 注释一下内容 #def _compose_select_body(self, text, select, inner_columns, froms, byfrom, …

Ghidra101再入门(上?)-Ghidra架构介绍

Ghidra101再入门(上&#xff1f;)-Ghidra架构介绍 最近有群友问我&#xff0c;说&#xff1a;“用了很多年的IDA&#xff0c;最近想看看Ghidra&#xff0c;这应该怎么进行入门&#xff1f;“这可难到我了。。 我发现&#xff0c;市面上虽然介绍Ghidra怎么用的文章和书籍很多&…

C++ 使用Windows的API CreateDirectory 创建多层级文件夹

简介 使用Windows的API创建多层级文件夹 效果 代码 #include <windows.h> #include <direct.h> #include <iostream> #include <string> #include <sstream> #include <vector> //创建多层级文件夹 bool CreateDir(const std:…

【算法-动态规划】0-1 背包问题

&#x1f49d;&#x1f49d;&#x1f49d;欢迎来到我的博客&#xff0c;很高兴能够在这里和您见面&#xff01;希望您在这里可以感受到一份轻松愉快的氛围&#xff0c;不仅可以获得有趣的内容和知识&#xff0c;也可以畅所欲言、分享您的想法和见解。 推荐:kuan 的首页,持续学…

APT攻击与零日漏洞

APT攻击 当谈到网络安全时&#xff0c;APT&#xff08;高级持续性威胁&#xff09;攻击是最为复杂和难以检测的攻击类型之一。APT攻击通常涉及到高度的技术和策略性&#xff0c;而且它们的目标是深入地渗透和长时间地隐藏在目标网络中。 1. 什么是APT攻击&#xff1f; 高级持续…

【思维构造】Element Extermination—CF1375C

Element Extermination—CF1375C 参考文章 思路 若 a 1 < a n a_1<a_n a1​<an​&#xff0c; 初始时 a 2 , . . . , a n − 1 a_2, ..., a_{n-1} a2​,...,an−1​ 这 n − 2 n-2 n−2 个元素中大于 a 1 a_1 a1​ 中的元素都能通过 a 1 a_1 a1​ 而被删除&…

如何把电脑上的游戏串流助手设置为开机自启动?

注意&#xff1a;想要直接将 游戏串流助手 扔进“启动”文件夹里面&#xff0c;是没有用的&#xff0c;重启电脑根本打不开游戏串流助手&#xff01; 步骤一&#xff1a;每次双击 游戏串流助手之后&#xff0c;都会弹出这个用户账户控制&#xff0c;我们第一步就是要把这个禁用…

云原生Docker容器管理

目录 docker容器的管理 容器创建 查看容器的运行状态 启动容器 创建并启动容器 终止容器运行 删除容器 容器的进入 查看容器详细信息 复制到容器中 从容器复制文件到主机 容器的导出与导入 导出 导入 相当于一个进程&#xff0c;性能接近于原生&#xff0c;几乎没有损…

.net也能写内存挂

最近在研究.net的内存挂。 写了很久的c,发现c#写出来的东西实在太香。 折腾c#外挂已经有很长时间了。都是用socket和c配合。 这个模式其实蛮成功的&#xff0c;用rpc调用的方式加上c#的天生await 非常好写逻辑 类似这样 最近想换个口味。注入托管dll到非托管进程 这样做只…

【C语言】文件的操作与文件函数的使用(详细讲解)

前言&#xff1a;我们在学习C语言的时候会发现在编写一个程序的时候&#xff0c;数据是存在内存当中的&#xff0c;而当我们退出这个程序的时候会发现这个数据不复存在了&#xff0c;因此我们可以通过文件把数据记录下来&#xff0c;使用文件我们可以将数据直接存放在电脑的硬盘…

计算机毕业设计选什么题目好?springboot网上选课系统

✍✍计算机编程指导师 ⭐⭐个人介绍&#xff1a;自己非常喜欢研究技术问题&#xff01;专业做Java、Python、微信小程序、安卓、大数据、爬虫、Golang、大屏等实战项目。 ⛽⛽实战项目&#xff1a;有源码或者技术上的问题欢迎在评论区一起讨论交流&#xff01; ⚡⚡ Java实战 |…

为什么棋牌类APP不能做

1.首先&#xff0c;目前棋牌类APP已经被政府明令禁止了&#xff0c;所有开发和发布类似的APP是不被允许的。 其次&#xff0c;某信小游戏平台关于游戏类目选择的规范&#xff0c;明确的规定&#xff1a;棋牌类、捕鱼以及角色类目的游戏暂不对个人开发者开放&#xff01; 也就…

python - excel 设置样式

文章目录 前言python - excel 设置样式1. 准备2. 示例2.1. 给单元格设置样式"等线"、大小为24磅、斜体、红色颜色和粗体2.2. 给第二行设置样式"宋体"、大小为16磅、斜体、红色颜色和粗体2.3. 给第三行数据设置垂直居中和水平居中2.4. 给第四行设置行高为30…

Unity基础课程之物理引擎7-物理运动应该在FixedUpdate执行

在第2章里提到过FixedUpdate&#xff0c;当时解释它是物理更新&#xff0c;会保证稳定的时间间隔。所谓Fixed的意思就是“固定的、稳定的”。获取两次Update之间的时间间隔用Time.deltaTime&#xff0c;获取两次FixedUpdate之间的时间间隔用Time.fixedDeltaTime。当设备运行不流…

日志管理工具Zap笔记

文章目录 Uber-go Zap日志库为什么选择 Zap配置 Zap Logger1. Logger2. SugaredLogger 定制logger1. 将日志写入文件而不是终端2. 将JSON Encoder更改为普通的Log Encoder3. 更改时间编码并添加调用者详细信息4. AddCallerSkip5. 将err日志单独输出到文件 使用Lumberjack进行日…

【安全】 Java 过滤器 解决存储型xss攻击问题

文章目录 XSS简介什么是XSS?分类反射型存储型 XSS(cross site script)跨站脚本攻击攻击场景解决方案 XSS简介 跨站脚本( cross site script )为了避免与样式css(Cascading Style Sheets层叠样式表)混淆&#xff0c;所以简称为XSS。 XSS是一种经常出现在web应用中的计算机安全…

MacOS安装conda

下载conda 地址https://repo.anaconda.com/miniconda/ 选择合适的安装文件下载 运行安装 执行命令安装 bash Miniconda3-latest-MacOSX-arm64.sh 设置环境变量 echo export PATH"/Users/your_user_name/miniconda3/bin:$PATH" >> ~/.zshrc source ~/.zsh…

高级岗位面试问题

自我介绍 【我是谁】 、【我做过什么】、【我会什么】 面试官您好,我叫xxx,来自江西。20XX年毕业于XXXXX大学,已有X年软件测试工作经验,之前在XX家公司担任测试工程师 最近一家公司我主要负责了两个项目的测试,分别为XXXXX的编写,测试用例的设计,测试环境的搭建以及测…

nextjs构建服务端渲染,同时使用Material UI进行项目配置

一、创建一个next项目 使用create-next-app来启动一个新的Next.js应用&#xff0c;它会自动为你设置好一切 运行命令: npx create-next-applatest 执行结果如下&#xff1a; 启动项目&#xff1a; pnpm dev 执行结果&#xff1a; 启动成功&#xff01; 二、安装Mater…

Demo29单词规律

/**给定一种规律 pattern 和一个字符串 s &#xff0c;判断 s 是否遵循相同的规律。这里的 遵循 指完全匹配&#xff0c;例如&#xff0c; pattern 里的每个字母和字符串 s 中的每个非空单词之间存在着双向连接的对应规律。示例1:输入: pattern "abba", s "do…