//需要的jar <dependency> <groupId>org.apache.poi</groupId> <artifactId>poi</artifactId> <version>3.17</version> </dependency> <dependency> <groupId>org.apache.poi</groupId> <artifactId>poi-ooxml</artifactId> <version>3.17</version> </dependency> //这里写一个导入工具类 public class POIUtil { private static Logger logger = LoggerFactory.getLogger(POIUtil.class);//这个你没有对应jar就删掉吧 private final static String xls = "xls"; private final static String xlsx = "xlsx"; /** * 读入excel文件,解析后返回,list中的每一个元素代表一行数据,String[]中的每一个元素代表该行的每一列数据 * * @param file * @throws IOException */ public static List<String[]> readExcel(MultipartFile file) throws IOException { //检查文件 checkFile(file);//判断是不是excel文件 //获得Workbook工作薄对象 Workbook workbook = getWorkBook(file);//根据不同后缀xlsx;xls获取 //创建返回对象,把每行中的值作为一个数组,所有行作为一个集合返回 List<String[]> list = new ArrayList<String[]>(); if (workbook != null) { for (int sheetNum = 0; sheetNum < workbook.getNumberOfSheets(); sheetNum++) {//这个就是excel左下角那//个,有可能有多个excel分页嘛 //获得当前sheet工作表 Sheet sheet = workbook.getSheetAt(sheetNum);//获取那一页 if (sheet == null) { continue; } //获得当前sheet的开始行 int firstRowNum = sheet.getFirstRowNum();//第一行 //获得当前sheet的结束行 int lastRowNum = sheet.getLastRowNum();//最后一行 //循环除了第一行的所有行,这里是我要解析的第一行是title,你根据实际情况操作吧 for (int rowNum = firstRowNum + 1; rowNum <= lastRowNum; rowNum++) { //获得当前行 Row row = sheet.getRow(rowNum); if (row == null) { continue; } //获得当前行的开始列 int firstCellNum = row.getFirstCellNum(); //获得当前行的列数 int lastCellNum = row.getPhysicalNumberOfCells(); String[] cells = new String[row.getPhysicalNumberOfCells()]; //循环当前行 for (int cellNum = firstCellNum; cellNum <= lastCellNum-1; cellNum++) { Cell cell = row.getCell(cellNum); cells[cellNum] = getCellValue(cell); } list.add(cells); } } workbook.close(); } return list; } /** * 检查文件是不是xls文件或者xlsx文件 * * @param file * @throws IOException */ public static void checkFile(MultipartFile file) throws IOException { //判断文件是否存在 if (null == file) { throw new FileNotFoundException("文件不存在!"); } //获得文件名 String fileName = file.getOriginalFilename(); //判断文件是否是excel文件 if (!fileName.endsWith(xls) && !fileName.endsWith(xlsx)) { logger.error(fileName + "不是excel文件"); throw new IOException(fileName + "不是excel文件"); } } public static Workbook getWorkBook(MultipartFile file) { //获得文件名 String fileName = file.getOriginalFilename(); //创建Workbook工作薄对象,表示整个excel Workbook workbook = null; try { //获取excel文件的io流 InputStream is = file.getInputStream(); //根据文件后缀名不同(xls和xlsx)获得不同的Workbook实现类对象 if (fileName.endsWith(xls)) { //2003 workbook = new HSSFWorkbook(is); } else if (fileName.endsWith(xlsx)) { //2007 workbook = new XSSFWorkbook(is); } else { throw new CustomException(ResultEnum.FILE_TYPE_ERROR); } } catch (IOException e) { logger.info(e.getMessage()); } return workbook; } }