您当前的位置:首页 > 电脑百科 > 程序开发 > 框架

SpringBoot集成easypoi并对导入校验

时间:2021-07-14 10:02:25  来源:  作者:RuoChen

在开发中导入或者导出Excel时,使用jxl或者poi的jar包需要要写一大段代码,而Easypoi对poi进行了封装,在导出的实体类上加入注解即可。

1、pom.xml中加入依赖

创建好springboot后,加上Easypoi依赖,本文使用的springboot是2.2.0.RELEASE版本。

   <dependency>
      <groupId>cn.afterturn</groupId>
      <artifactId>easypoi-spring-boot-starter</artifactId>
      <version>3.3.0</version>
    </dependency>

如果启动时报

***************************
AppLICATION FAILED TO START
***************************

Description:

The bean 'beanNameViewResolver', defined in class path resource[cn/afterturn/easypoi/configuration
/EasyPoiAutoConfiguration.class], could not be registered. A bean with that name has already been 
defined in class path resource [org/springframework/boot/autoconfigure/web/servlet/error/ErrorMvcAutoConfiguration$WhitelabelErrorViewConfiguration.class] 
and overriding is disabled.

Action:

Consider renaming one of the beans or enabling overriding by setting spring.main.allow-bean-definition-overriding=true

请在application.properties文件中加入

spring.main.allow-bean-definition-overriding=true

2、创建实体类

创建一个people的实体类(导出)

@Data
public class People implements Serializable {

  @Excel(name = "姓名" ,height = 20, width = 30)
  private String name;

  @Excel(name = "年龄")
  private Integer age;

  @Excel(name = "生日",exportFormat = "yyyy-MM-dd")
  private String birthday;
}

@Excel 作用到filed上面,是对Excel一列的一个描述。可以设置长宽,日期格式等属性,具体请看文档。
此外还有@ExcelCollection @ExcelEntity @ExcelIgnore@ExcelTarget 等注解。

3、导出工具

@Slf4j
public class ExcelUtil {
  /**
   *  excel   导出
   *
   * @param list      导出的数据
   * @param sheetName sheetName
   * @param pojoClass pojo类型
   * @param fileName  文件名称
   * @param response
   */
  public static void exportExcel(List<?> list, String sheetName, Class<?> pojoClass, String fileName, HttpServletResponse response) throws IOException {
    ExportParams exportParams = new ExportParams();//导出基本采用ExportParams 这个对象,进行参数配置;
    exportParams.setSheetName(sheetName);//sheetName
    exportParams.setType( ExcelType.XSSF);//配置导出excel版本格式  ExcelType.XSSF后缀名为.xlsx ExcelType.HSSF后缀名为.xls
    Workbook workbook = ExcelExportUtil.exportExcel(exportParams, pojoClass, list);
    try {
      response.setCharacterEncoding("UTF-8");
      response.setHeader("content-Type", "application/vnd.ms-excel");
      response.setHeader("Content-Disposition", "attachment;filename=" + URLEncoder
          .encode(fileName + ".xlsx", "UTF-8"));//这里根据上面ExcelType.XSSF配置来配,如果是 ExcelType.XSSF 对应 .xlsx ExcelType.HSSF对应.xls
      workbook.write(response.getOutputStream());
    } catch (Exception e) {
      log.error("error {}",e.getMessage());
      throw new IOException(e.getMessage());
    }
  }

4、导出示例

  @GetMapping("export")
  public void export(HttpServletResponse response){
    List<People> peopleList = new ArrayList<>();
    People data1 = new People();
    People data2 = new People();
    data1.setName("隔壁老王");
    data1.setAge(30);
    data1.setBirthday("1997-10-01 00:00:00");
    data2.setName("钻石老王");
    data2.setAge(40);
    data2.setBirthday("1997-10-01 00:00:00");
    peopleList.add(data1);
    peopleList.add(data2);
    try {
      ExcelUtil.exportExcel(peopleList, "个人信息",People.class ,"个人信息" ,response );
    } catch (IOException e) {
      log.error("导出失败");
    }
  }

5、导入的实体

如果我们想对导入的数据进行校验,easypoi自带接口ExcelModel 获取错误信息, IExcelDataModel获取错误信息所在的行数。
自己创一个类去实现这两个接口

public class ExcelVerifyInfo implements IExcelModel, IExcelDataModel {

  private String errorMsg;

  private int rowNum;

  @Override
  public int getRowNum() {
    return rowNum;
  }

  @Override
  public void setRowNum(int rowNum) {
    this.rowNum = rowNum;
  }

  @Override
  public String getErrorMsg() {
    return errorMsg;
  }

  @Override
  public void setErrorMsg(String errorMsg) {
    this.errorMsg = errorMsg;
  }
}

对导入excel进行校验,对他的实体需要加一些注解

@Data
public class People  extends ExcelVerifyInfo implements Serializable {

  @Excel(name = "姓名" ,height = 20, width = 30)
  @NotNull(message = "姓名不能为空")
  private String name;

  @Excel(name = "年龄")
  @Max(value = 100,message = "年龄 最大值不能超过100" )
  @NotNull(message = "年龄不能为空")
  //@Pattern(regexp = "[u4E00-u9FA5]*", message = "不是中文")或者正则校验
  private Integer age;

  @Excel(name = "生日",exportFormat = "yyyy-MM-dd")
  private String birthday;
}

@NotNull,@Max,@Min,@Pattern这些注解在message属性上加入你想输出的错误信息。

6、导入工具

  /**
   * excel 导入
   *
   * @param headerRows  表头行
   * @param needVerfiy  是否检验excel内容
   * @param pojoClass   pojo类型
   * @param <T>
   * @return
   */
  public static <T> ExcelImportResult<T> importExcel(MultipartFile file, Integer headerRows, boolean needVerfiy, Class<T> pojoClass) throws IOException {
    if (file == null) {
      log.info("文件为空");
      return null;
    }
    ImportParams params = new ImportParams();
    params.setHeadRows(headerRows); //头行忽略的行数
    params.setNeedVerfiy(needVerfiy); //是否开启校验
    try {
      return ExcelImportUtil.importExcelMore(file.getInputStream(), pojoClass, params);
    } catch (Exception e) {
      log.error("importExcel IOException {} ",e.getMessage());
      throw new IOException(e.getMessage());
    }
  }

ExcelImportResult是一个导入返回的类,里面有很多属性,讲一下常用的。

    /**
     * 结果集
     */
    private List<T>  list;
    /**
     * 失败数据
     */
    private List<T>  failList;

    /**
     * 是否存在校验失败
     */
    private boolean  verfiyFail;

7、导入示例

@PostMapping("/import")
  public void importExcel(MultipartFile file){
    if (file==null){
      log.info("file 无数据");
      return;
    }
    ExcelImportResult<People> result = null;
    try {
      result = ExcelUtil
          .importExcel(file, 1, true, People.class);
    } catch (IOException e) {
      e.printStackTrace();
    }
    List<People> failList = result.getFailList();//获取失败的数据
    if (failList.size()>0){
      for ( People people : failList) {
        log.info("第{}行,{}",people.getRowNum(),people.getErrorMsg());//打印失败的行 和失败的信息
      }
    }
    //如果没有错误,可以存入文件服务系统 或者数据库 ,这里只是将数据打印出来
    List<People> list = result.getList();
    log.info("成功导入数据 {}",JSON.toJSONString(list));
  }

附easypoi文档:http://easypoi.mydoc.io/



Tags:SpringBoot   点击:()  评论:()
声明:本站部分内容及图片来自互联网,转载是出于传递更多信息之目的,内容观点仅代表作者本人,如有任何标注错误或版权侵犯请与我们联系(Email:2595517585@qq.com),我们将及时更正、删除,谢谢。
▌相关推荐
我是一名程序员关注我们吧,我们会多多分享技术和资源。进来的朋友,可以多了解下青锋的产品,已开源多个产品的架构版本。Thymeleaf版(开源)1、采用技术: springboot、layui、Thymel...【详细内容】
2021-12-14  Tags: SpringBoot  点击:(20)  评论:(0)  加入收藏
前言项目中的配置文件会有密码的存在,例如数据库的密码、邮箱的密码、FTP的密码等。配置的密码以明文的方式暴露,并不是一种安全的方式,特别是大型项目的生产环境中,因为配置文...【详细内容】
2021-11-17  Tags: SpringBoot  点击:(25)  评论:(0)  加入收藏
SpringBoot开发的物联网通信平台系统项目功能模块 功能 说明 MQTT 1.SSL支持 2.集群化部署时暂不支持retain&will类型消 UDP ...【详细内容】
2021-11-05  Tags: SpringBoot  点击:(55)  评论:(0)  加入收藏
1. 介绍1.1 介绍今天开始我们来学习Java操作MySQL数据库的技巧,Java操作MySQL是借助JdbcTemplate这个对象来实现的。JdbcTemplate是一个多数据库集中解决方案,而我们今天只讲...【详细内容】
2021-11-05  Tags: SpringBoot  点击:(30)  评论:(0)  加入收藏
SpringBoot中的Controller注册本篇将会以Servlet为切入点,通过源码来看web容器中的Controller是如何注册到HandlerMapping中。请求来了之后,web容器是如何根据请求路径找到对...【详细内容】
2021-11-04  Tags: SpringBoot  点击:(52)  评论:(0)  加入收藏
环境:Springboot2.4.11环境配置接下来的演示都是基于如下接口进行。@RestController@RequestMapping("/exceptions")public class ExceptionsController { @GetMapping(...【详细内容】
2021-10-11  Tags: SpringBoot  点击:(41)  评论:(0)  加入收藏
SpringBoot项目默认使用logback, 已经内置了 logback 的相关jar包,会从resource包下查找logback.xml, logback 文件格式范本 可直接复制使用,有控制台 info.log error.log三个...【详细内容】
2021-10-09  Tags: SpringBoot  点击:(50)  评论:(0)  加入收藏
环境:Springboot2.4.10当应用程序启动时,Spring Boot将自动从以下位置查找并加载application.properties和application.yaml文件: 从Classpath类路径classpath的根类路径classp...【详细内容】
2021-09-26  Tags: SpringBoot  点击:(76)  评论:(0)  加入收藏
搭建基础1. Intellij IDEA 2. jdk1.8 3. maven3.6.3搭建方式(1)在线创建项目Spring Boot 官方提供的一种创建方式,在浏览器中访问如下网址: https://start.spring.io/在打开的页...【详细内容】
2021-09-14  Tags: SpringBoot  点击:(78)  评论:(0)  加入收藏
最近开发项目的时候需要用到对象的属性拷贝,以前也有用过一些复制框架,比如spring的 BeanUtils.copyProperties等方式,但总是不尽如人意,最近发现使用orika进行对象拷贝挺好用的...【详细内容】
2021-08-27  Tags: SpringBoot  点击:(229)  评论:(0)  加入收藏
▌简易百科推荐
近日只是为了想尽办法为 Flask 实现 Swagger UI 文档功能,基本上要让 Flask 配合 Flasgger, 所以写了篇 Flask 应用集成 Swagger UI 。然而不断的 Google 过程中偶然间发现了...【详细内容】
2021-12-23  Python阿杰    Tags:FastAPI   点击:(6)  评论:(0)  加入收藏
文章目录1、Quartz1.1 引入依赖<dependency> <groupId>org.quartz-scheduler</groupId> <artifactId>quartz</artifactId> <version>2.3.2</version></dependency>...【详细内容】
2021-12-22  java老人头    Tags:框架   点击:(11)  评论:(0)  加入收藏
今天来梳理下 Spring 的整体脉络啦,为后面的文章做个铺垫~后面几篇文章应该会讲讲这些内容啦 Spring AOP 插件 (了好久都忘了 ) 分享下 4ye 在项目中利用 AOP + MybatisPlus 对...【详细内容】
2021-12-07  Java4ye    Tags:Spring   点击:(14)  评论:(0)  加入收藏
&emsp;前面通过入门案例介绍,我们发现在SpringSecurity中如果我们没有使用自定义的登录界面,那么SpringSecurity会给我们提供一个系统登录界面。但真实项目中我们一般都会使用...【详细内容】
2021-12-06  波哥带你学Java    Tags:SpringSecurity   点击:(18)  评论:(0)  加入收藏
React 简介 React 基本使用<div id="test"></div><script type="text/javascript" src="../js/react.development.js"></script><script type="text/javascript" src="../js...【详细内容】
2021-11-30  清闲的帆船先生    Tags:框架   点击:(19)  评论:(0)  加入收藏
流水线(Pipeline)是把一个重复的过程分解为若干个子过程,使每个子过程与其他子过程并行进行的技术。本文主要介绍了诞生于云原生时代的流水线框架 Argo。 什么是流水线?在计算机...【详细内容】
2021-11-30  叼着猫的鱼    Tags:框架   点击:(21)  评论:(0)  加入收藏
TKinterThinter 是标准的python包,你可以在linx,macos,windows上使用它,你不需要安装它,因为它是python自带的扩展包。 它采用TCL的控制接口,你可以非常方便地写出图形界面,如...【详细内容】
2021-11-30    梦回故里归来  Tags:框架   点击:(26)  评论:(0)  加入收藏
前言项目中的配置文件会有密码的存在,例如数据库的密码、邮箱的密码、FTP的密码等。配置的密码以明文的方式暴露,并不是一种安全的方式,特别是大型项目的生产环境中,因为配置文...【详细内容】
2021-11-17  充满元气的java爱好者  博客园  Tags:SpringBoot   点击:(25)  评论:(0)  加入收藏
一、搭建环境1、创建数据库表和表结构create table account(id INT identity(1,1) primary key,name varchar(20),[money] DECIMAL2、创建maven的工程SSM,在pom.xml文件引入...【详细内容】
2021-11-11  AT小白在线中  搜狐号  Tags:开发框架   点击:(29)  评论:(0)  加入收藏
SpringBoot开发的物联网通信平台系统项目功能模块 功能 说明 MQTT 1.SSL支持 2.集群化部署时暂不支持retain&will类型消 UDP ...【详细内容】
2021-11-05  小程序建站    Tags:SpringBoot   点击:(55)  评论:(0)  加入收藏
最新更新
栏目热门
栏目头条