Excel表格导入/导出数据工具类

Excel表格导入/导出数据工具

这里以java语言为类,实现一个简单且较通用的Excel表格数据导入工具类。

  1. 自定义注解 ExcelColumn
  2. 写导入工具类 ExcelImportUtil

自定义注解 ExcelColumn

@Retention(RetentionPolicy.RUNTIME)
@Target({java.lang.annotation.ElementType.FIELD})
public @interface ExcelColumn {

    /**
     * 字段的含义
     */
    String name();
    /**
     * 配置列的名称,对应A,B,C,D....
     */
    String column();
    /**
     * 是否导出数据
     */
    boolean isExport() default true;
}

定义数据类

/**
 * 数据对象
 * @author
 */
@Getter
@Setter
@ToString
public class DataDTO implements Serializable {

    @ExcelColumn(name = "*XXX", column = "A")
    private String a;
    
    @ExcelColumn(name = "xxx", column = "B")
    private String b;
    
    @ExcelColumn(name = "xxx", column = "C")
    private String c;
    // 导入时记录失败原因的字段  按需取
    private String errorMsg;
    }
}

Excel表格导入导出工具类代码:

@Slf4j
public class ExcelCustomUtil<T> {

    private static final String SUFFIX = "XLS";
    protected Class<T> clazz;

    public ExcelWithPicUtil(Class<T> clazz) {
        this.clazz = clazz;
    }

    /**
     * 批量导入, 每个sheet 数据格式一致
     * @param input
     * @param ignore 忽略前多少行,也就是从哪行开始读取数据
     * @return
     * @throws Exception
     */
    public List<T> importBatch(InputStream input, Integer ignore, String suffix) throws Exception {
        List<T> newList = new ArrayList<>();
        Workbook workbook;
        if (SUFFIX.equalsIgnoreCase(suffix)) {
            workbook = new HSSFWorkbook(input);
        } else {
            workbook = new XSSFWorkbook(input);
        }

        Sheet sheet = workbook.getSheetAt(0);
        if(null != sheet){
            List<T> importProcessor = importProcessor(sheet, ignore);
            newList.addAll(importProcessor);
        }

        return newList;
    }

    /**
     * @param sheet
     * @param ignoreRow, 忽略前多少行
     * @return
     * @throws Exception
     */

    protected List<T> importProcessor(Sheet sheet, Integer ignoreRow) throws Exception {
        log.info("执行导入操作");
        int maxCol = 0;
        List<T> list = new ArrayList<T>();
        int rows = sheet.getPhysicalNumberOfRows();
        log.info("importProcessor rows:{}", rows);
        if (rows > 0) {
            // 有数据时才处理
            List<Field> allFields = getMappedFiled(clazz, null);
            // 定义一个map用于存放列的序号和field.
            Map<Integer, Field> fieldsMap = new HashMap<>(16);
            for (Field field : allFields) {
                // 将有注解的field存放到map中.
                if (field.isAnnotationPresent(ExcelColumn.class)) {
                    ExcelColumn attr = field.getAnnotation(ExcelColumn.class);
                    // 获得列号
                    int col = getExcelCol(attr.column());
                    maxCol = Math.max(col, maxCol);
                    fieldsMap.put(col, field);
                }
            }

            log.info("importProcessor fieldsMap:{}, maxCol:{}", JSON.toJSONString(fieldsMap), maxCol);
            // 默认第二行开始为数据行
            if (ignoreRow == null) {
                ignoreRow = 1;
            }

            for (int i = ignoreRow; i < rows; i++) {
                // 从第2行开始取数据,默认第一行是表头.
                Row row = sheet.getRow(i);
                boolean rowEmpty = isRowEmpty(row);
                log.info("importProcessor row:{}, rowEmpty:{}", i, rowEmpty);
                if (rowEmpty) {
                    continue;
                }

                T entity = null;
                for (int j = 0; j <= maxCol; j++) {
                    // 如果不存在实例则新建.
                    entity = (entity == null ? clazz.newInstance() : entity);
                    // 从map中得到对应列的field.
                    Field field = fieldsMap.get(j);
                    if (field == null) {
                        continue;
                    }

                    // 取得类型,并根据对象类型设置值.
                    Class<?> fieldType = field.getType();
                    ExcelColumn annotation = field.getAnnotation(ExcelColumn.class);
                    Cell cell = row.getCell(j);
                    if (cell != null) {
                        CellType cellType = cell.getCellType();
                        String c = getCellValue(cellType, cell);
                        log.info("importProcessor row:{}, col:{}, cellType:{}, c:{}", i, j, cellType, c);
                        try {
                            if (String.class == fieldType){
                                field.set(entity, c.trim());
                            } else if ((Integer.TYPE == fieldType) || (Integer.class == fieldType)) {
                                Double dou = Double.parseDouble(c);
                                field.set(entity, dou.intValue());
                            } else if ((Long.TYPE == fieldType) || (Long.class == fieldType)) {
                                field.set(entity, Long.valueOf(c));
                            } else if ((Float.TYPE == fieldType) || (Float.class == fieldType)) {
                                field.set(entity, Float.valueOf(c));
                            } else if ((Short.TYPE == fieldType) || (Short.class == fieldType)) {
                                field.set(entity, Short.valueOf(c));
                            } else if ((Double.TYPE == fieldType) || (Double.class == fieldType)) {
                                field.set(entity, Double.valueOf(c));
                            } else if (Character.TYPE == fieldType) {
                                if ((c != null) && (c.length() > 0)) {
                                    field.set(entity, Character.valueOf(c.charAt(0)));
                                }
                            } else if (Date.class == fieldType) {

                            }
                        } catch (Exception e) {
                            e.printStackTrace();
                        }
                    }
                }

                if (entity != null) {
                    list.add(entity);
                }
            }
        }
        return list;
    }

    public static boolean isRowEmpty(Row row) {
        if (row == null) {
            return true;
        }

        int firstCellNum = row.getFirstCellNum();
        int lastCellNum = row.getLastCellNum();
        for (int i = firstCellNum; i < lastCellNum; i++) {
            Cell cell = row.getCell(i);
            if (cell != null && cell.getCellType() != CellType.BLANK) {
                return false;
            }
        }

        return true;
    }

    private String getCellValue(CellType cellType, Cell cell) {
        String c;
        if (cellType == CellType.NUMERIC) {
            DecimalFormat df = new DecimalFormat("0");
            c = df.format(cell.getNumericCellValue());
        } else if (cellType == CellType.BOOLEAN) {
            c = String.valueOf(cell.getBooleanCellValue());
        } else {
            c = cell.getStringCellValue();
        }
        return c;
    }

    /**
     * 将EXCEL中A,B,C,D,E列映射成0,1,2,3,4
     * @param col
     */
    public static int getExcelCol(String col) {
        col = col.toUpperCase();
        // 从-1开始计算,字母重1开始运算。这种总数下来算数正好相同。
        int count = -1;
        char[] cs = col.toCharArray();
        for (int i = 0; i < cs.length; i++) {
            count += (cs[i] - 64) * Math.pow(26, cs.length - 1 - i);
        }
        return count;
    }

    /**
     * 表头(标题)格式设置
     *
     * @param workbook
     * @return
     */
    private CellStyle createTitleStyle(Workbook workbook) {
        log.info("创建表头格式 createTitleStyle");
        CellStyle cellStyle = workbook.createCellStyle();
        // 填充样式
        cellStyle.setFillPattern(FillPatternType.SOLID_FOREGROUND);
        // 填充色
        cellStyle.setFillForegroundColor(HSSFColor.HSSFColorPredefined.GREY_25_PERCENT.getIndex());
        // 水平居中
        cellStyle.setAlignment(HorizontalAlignment.CENTER);
        // 垂直居中
        cellStyle.setVerticalAlignment(VerticalAlignment.CENTER);
        // 填充色
        cellStyle.setFillForegroundColor(IndexedColors.ROYAL_BLUE.getIndex());
        // 边框样式
        buildBorder(cellStyle, BorderStyle.THIN);
        // 字体设置
        Font font = workbook.createFont();
        font.setFontHeightInPoints((short) 11);
        font.setBold(true);
        font.setColor(IndexedColors.WHITE.getIndex());
        cellStyle.setFont(font);
        // 自动换行
        cellStyle.setWrapText(true);

        return cellStyle;
    }

    /**
     * 内容格式设置
     *
     * @param workbook
     * @return
     */
    private CellStyle createContentStyle(Workbook workbook) {
        log.info("创建表头格式 createTitleStyle");
        CellStyle cellStyle = workbook.createCellStyle();
        // 水平居中
        cellStyle.setAlignment(HorizontalAlignment.CENTER);
        // 垂直居中
        cellStyle.setVerticalAlignment(VerticalAlignment.CENTER);
        // 字体设置
        Font font = workbook.createFont();
        font.setFontHeightInPoints((short) 11);
        cellStyle.setFont(font);
        // 自动换行
        cellStyle.setWrapText(true);

        return cellStyle;
    }

    /**
     * 设置边框
     *
     * @param cellStyle
     * @param style
     */
    private void buildBorder(CellStyle cellStyle, BorderStyle style) {
        cellStyle.setBorderBottom(style);
        cellStyle.setBorderTop(style);
        cellStyle.setBorderLeft(style);
        cellStyle.setBorderRight(style);
    }

    /**
     * 自适应宽度(中文支持)
     *
     * @param sheet
     * @param size
     */
    private void setSizeColumn(Sheet sheet, int size) {
        for (int columnNum = 0; columnNum < size; columnNum++) {
            int columnWidth = sheet.getColumnWidth(columnNum) / 256;
            for (int rowNum = 0; rowNum < sheet.getLastRowNum(); rowNum++) {
                Row currentRow;
                //当前行未被使用过
                if (sheet.getRow(rowNum) == null) {
                    currentRow = sheet.createRow(rowNum);
                } else {
                    currentRow = sheet.getRow(rowNum);
                }

                if (currentRow.getCell(columnNum) != null) {
                    Cell currentCell = currentRow.getCell(columnNum);
                    String value = "";
                    CellType cellType = currentCell.getCellType();
                    if (cellType == CellType.NUMERIC) {
                        currentCell.setCellType(CellType.STRING);
                        value = currentCell.getStringCellValue();
                    } else if (cellType == CellType.STRING) {
                        value = currentCell.getStringCellValue();
                    }
                    int length = value.getBytes().length;
                    if (columnWidth < length) {
                        columnWidth = length;
                    }
                }
            }

            sheet.setColumnWidth(columnNum, columnWidth * 256);
        }
    }

    /**
     * 得到实体类所有通过注解映射了数据表的字段
     *  递归调用
     */
    protected List<Field> getMappedFiled(Class clazz, List<Field> fields) {
        if (fields == null) {
            fields = new ArrayList<>();
        }
        // 得到所有定义字段
        Field[] allFields = clazz.getDeclaredFields();
        for (Field field : allFields) {
            if (field.isAnnotationPresent(ExcelColumn.class)) {
                fields.add(field);
            }
        }
        if (clazz.getSuperclass() != null && !clazz.getSuperclass().equals(Object.class)) {
            getMappedFiled(clazz.getSuperclass(), fields);
        }
        return fields;
    }

    /**
     * 将数据写入Excel
     * @param dataList
     * @param failData
     * @return
     */
    public String writeDataToExcel(List<T> dataList, boolean failData) {
        String localFileDir = "/tmp/localFile";
        String fileName = UUID.randomUUID().toString() + ".xlsx";
        String localFilePath = FileUtils.createFile(localFileDir, fileName);
        File file = new File(localFilePath);
        try (Workbook workbook = writeDataToExcel(dataList, failData);
             FileOutputStream output = new FileOutputStream(file)) {
            workbook.write(output);
            output.flush();
            return localFilePath;
        } catch (Exception e) {
            log.error("writeDataToExcelAndUpload e:", e);
            throw new BusinessException("将数据写入excel异常");
        }
    }

    public Workbook writeDataToExcel(List<T> dataList, boolean failData) throws Exception{
        List<String> headerNames = new ArrayList<>();
        List<Field> fields = getMappedFiled(clazz, null);
        boolean hasPic = false;
        for (Field field : fields) {
            ExcelColumn excelColumn = field.getAnnotation(ExcelColumn.class);
            headerNames.add(excelColumn.name());
        }

        if (failData) {
            headerNames.add("失败原因");
        }

        XSSFWorkbook workbook = new XSSFWorkbook();
        XSSFSheet sheet = workbook.createSheet();
        // 创建第一栏,抬头栏
        XSSFRow headRow = sheet.createRow(0);
        headRow.setHeightInPoints(91);
        // 设置单元格类型
        CellStyle headStyle = createTitleStyle(workbook);
        // 创建抬头栏单元格
        for (int j = 0; j < headerNames.size(); j++) {
            XSSFCell cell = headRow.createCell(j);
            if (headerNames.get(j) != null) {
                cell.setCellValue(headerNames.get(j));
                cell.setCellStyle(headStyle);
            }
        }

        int size = dataList.size();
        int maxCol = headerNames.size();
        int fieldCol = fields.size();
        try {
            CellStyle contentStyle = createContentStyle(workbook);
            CellStyle errorMsgStyle = createErrorMsgStyle(workbook);
            for (int i = 0; i < size; i++) {
                XSSFRow row = sheet.createRow(i + 1);
                row.setHeightInPoints(60);
                T vo = dataList.get(i);
                XSSFCell cell;
                for (int j = 0; j < maxCol; j++) {
                    // 当j > fieldCol时
                    if (j > fieldCol - 1 && j == maxCol - 1) {
                        Field field = clazz.getDeclaredField("errorMsg");
                        field.setAccessible(true);
                        Object o = field.get(vo);
                        cell = row.createCell(j);
                        cell.setCellStyle(errorMsgStyle);
                        cell.setCellType(CellType.STRING);
                        cell.setCellValue(o != null ? o.toString() : "");
                    } else {
                        Field field = fields.get(j);
                        field.setAccessible(true);
                        ExcelColumn attr = field.getAnnotation(ExcelColumn.class);
                        cell = row.createCell(getExcelCol(attr.column()));
                        if (field.getType() == String.class) {
                            cell.setCellStyle(contentStyle);
                            cell.setCellType(CellType.STRING);
                            String cellValue = field.get(vo) == null ? "" : String.valueOf(field.get(vo));
                            cell.setCellValue(cellValue);
                        }
                    }
                }
            }

            // 宽度自适应
        } catch (Exception e) {
            log.error("失败 e:", e);
            throw new Exception("失败");
        }

        return workbook;
    }
}


这个工具类只是展示了简单的字段导入/导出的读取,如果带图片或者其他特殊要求的字段,可以自定义规则读取。

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

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

如何在Spring启动的时候执行一些操作

如何在Spring启动的时候执行一些操作 在Spring启动的时候执行一些操作有多种方式。你可以通过实现ApplicationRunner或者CommandLineRunner接口&#xff0c;在Spring Boot应用程序启动后执行特定操作。另外&#xff0c;你也可以使用PostConstruct注解&#xff0c;在Spring Bea…

圆片/圆盘测厚设备 HW01-SG系列单点测厚仪

关键字:圆片测厚仪圆盘测厚仪, 圆形测厚仪, 单点测厚仪, 汽车工件测厚仪, 产品简介&#xff1a; 测厚仪采用上下两个对射的激光位移传感器测量圆盘状物体边缘的厚度。圆盘放置在由步进电机驱动的托盘上&#xff0c;点按测量按钮托盘旋转一周&#xff0c;可测量被测物整个圆周上…

立即注册 | 线上讲座:基于 NGINX 为现代应用构筑三大安全防线

原文作者&#xff1a;NGINX 原文链接&#xff1a;立即注册 | 线上讲座&#xff1a;基于 NGINX 为现代应用构筑三大安全防线 转载来源&#xff1a;NGINX 开源社区 NGINX 唯一中文官方社区 &#xff0c;尽在 nginx.org.cn 基本信息 课程主题&#xff1a;基于 NGINX 为现代应用构…

大模型算法(零) - Transformer中的细节与实现

讲transformer的文章已经铺天盖地了&#xff0c;但是大部分都是从原理的角度出发的文章&#xff0c;原理与实现之间的这部分讲解的较少&#xff0c;想要了解实现细节&#xff0c;还是要去看代码才行。记录一下自己学习过程中遇见的细节问题和实现问题。 Transformer整体架构 图…

Android面试题之Kotlin的几种常见的类

本文首发于公众号“AntDream”&#xff0c;欢迎微信搜索“AntDream”或扫描文章底部二维码关注&#xff0c;和我一起每天进步一点点 初始化的顺序 主构造函数里声明的属性 类级别的属性赋值 init初始化块里的属性赋值和函数调用 次构造函数里的属性赋值和函数调用 延迟初始…

Chirpstack配合网关与lora设备通信

之前的章节讲过chirpstack的下载和安装部署&#xff0c;这节算是后续&#xff0c;利用chirpstack和lora设备做通信&#xff0c; 首先开启chirpstack&#xff0c;并登录&#xff0c;登录完成之后需要添加网关和设备&#xff0c;添加网关也就是Gatway&#xff0c;所以点开左侧的G…

搜索二维矩阵 - LeetCode 热题 64

大家好&#xff01;我是曾续缘&#x1f9e1; 今天是《LeetCode 热题 100》系列 发车第 64 天 二分查找第 2 题 ❤️点赞 &#x1f44d; 收藏 ⭐再看&#xff0c;养成习惯 搜索二维矩阵 给你一个满足下述两条属性的 m x n 整数矩阵&#xff1a; 每行中的整数从左到右按非严格递增…

激光切割机哪家可靠?

激光切割机哪家可靠&#xff1f;市面上的激光切割机牌子很多&#xff0c;具体什么牌子好&#xff0c;建议综合考虑一下企业成立时间、技术实力、设备工艺做工、售后服务&#xff0c;一般成立时间长&#xff0c;设备装配经验丰富&#xff0c;售后服务完善的企业&#xff0c;能够…

深度学习之卷积神经网络理论基础

深度学习之卷积神经网络理论基础 卷积层的操作&#xff08;Convolutional layer&#xff09; 在提出卷积层的概念之前首先引入图像识别的特点 图像识别的特点 特征具有局部性&#xff1a;老虎重要特征“王字”仅出现在头部区域特征可能出现在任何位置下采样图像&#xff0c…

银行业数据分析专家视角:业务场景中的深度解析与应用

一、引言 在数字化和大数据时代的浪潮下&#xff0c;银行业正经历着前所未有的变革。作为数据分析领域的资深专家&#xff0c;我深知数据分析在银行业务发展中的重要性和价值。本文将从银行业数据分析的角度出发&#xff0c;深入探讨相关业务场景下的数据分析应用&#xff0c;…

Linux 操作系统MySQL 数据库指令

1.MySQL 数据库 数据库是“按照数据结构来组织、 存储和管理数据的仓库”。 是一个长期存储在计算机内的、 有组织的、 可共享的、 统一管理的大量数据的集合。 它的存储空间很大&#xff0c; 可以存放百万条、 千万条、 上亿条数据。 但是数据库并不是随意地将数据进行…

[vue] nvm use时报错 exit status 1:一堆乱码,exit status 5

报错exit status 5&#xff1a;&#xfffd;ܾ&#xfffd;&#xfffd;&#xfffd;&#xfffd;ʡ&#xfffd; 原因&#xff1a;因为当前命令提示符窗口是user权限&#xff0c; 解决&#xff1a;cmd使用管理员方式打开就可以 参考&#xff1a; vm use时报错 exit status 1…

24长三角A题思路+分析选题

需要资料的宝子们可以进企鹅获取 A题 问题1&#xff1a;西湖游船上掉落华为 mate 60 pro 手机 1. 手机掉落范围分析 物品特征&#xff1a;华为 mate 60 pro 手机的尺寸、重量、形状等特性。静水假设&#xff1a;西湖水面平静&#xff0c;不考虑水流影响。掉落位置&#xff…

Linux基础之进程的优先级

目录 一、进程优先级的概念 二、进程优先级的查看 三、怎么修改进程优先级 四、进程饥饿 一、进程优先级的概念 cpu资源分配的先后顺序&#xff0c;就是指进程的优先权&#xff08;priority&#xff09;。优先权高的进程有优先执行权利。配置进程优先权对多任务环境的linu…

从零入门激光SLAM(十七)——SLAM中为什么用ESKF误差卡尔曼滤波器

上一节&#xff0c;介绍了卡尔曼滤波的基本原理&#xff0c;但在SLAM中却使用ESKF&#xff0c;让我们一起看看具体的原因是什么吧 一、误差卡尔曼滤波器ESKF(Error State Kalman Filter) 1.1动机 在常规的卡尔曼滤波器中&#xff0c;需要假定系统的状态服从高斯分布&#xf…

语法分析-文法

如果对于一部文法中&#xff0c;存在至少一个句子有两个或者两个以上的语法树则该文法是二义性的。 我们可以以上面的例子进行解释&#xff0c;对于第棵个语法树&#xff0c;我们可以看到是先进行了加法运算再进行的乘法运算&#xff0c;因为需要先把EE作为整体运算完后再成为E…

github新手用法

目录 1&#xff0c;github账号注册2&#xff0c;github登录3&#xff0c;新建一个仓库4&#xff0c;往仓库里面写入东西或者上传东西5&#xff0c; 下载Git软件并安装6 &#xff0c;获取ssh密钥7&#xff0c; 绑定ssh密钥8&#xff0c; 测试本地和github是否联通9&#xff0c;从…

研发数据在企业内部多重传输场景,怎样才能有效响应?

研发数据因行业不同包含的种类各异&#xff0c;主要有设计和仿真数据、研发投入、进展和成果数据、生产过程数据、维护和保养数据、质量数据等&#xff0c;企业研发数据对企业而言具有至关重要的意义。特别是以研发为核心业务及定位的企业&#xff0c; 如半导体 IC 设计、生物制…

淘宝购物必备神器,淘宝商品评论电商API接口告诉你真实惠品质好!

众所周知&#xff0c;淘宝作为国内最大的电商平台&#xff0c;拥有数以亿计的商品以及海量的评论。然而&#xff0c;由于淘宝上的商品数量庞大&#xff0c;品质参差不齐&#xff0c;买家往往难以决策。此外&#xff0c;有些商品的评论可信度也受到一定的质疑&#xff0c;很难了…

SSM框架打造的高效稳定网上购物商城管理系统

作者介绍&#xff1a;✌️大厂全栈码农|毕设实战开发&#xff0c;专注于大学生项目实战开发、讲解和毕业答疑辅导。 &#x1f345;获取源码联系方式请查看文末&#x1f345; 推荐订阅精彩专栏 &#x1f447;&#x1f3fb; 避免错过下次更新 Springboot项目精选实战案例 更多项目…