1. 程式人生 > 程式設計 >使用Springboot+poi上傳並處理百萬級資料EXCEL

使用Springboot+poi上傳並處理百萬級資料EXCEL

1 Excel上傳

針對Excel的上傳,採用的是比較常規的方法,其實和檔案上傳是相同的。具體原始碼如下:

  @PostMapping(value = "",consumes = "multipart/*",headers = "content-type=multipart/form-data")
  public Map<String,Object> addBlacklist(
      @RequestParam("file") MultipartFile multipartFile,HttpServletRequest request
  ) {
    //判斷上傳內容是否符合要求
    String fileName = multipartFile.getOriginalFilename();
    if (!fileName.matches("^.+\\.(?i)(xls)$") && !fileName.matches("^.+\\.(?i)(xlsx)$")) {
      return returnError(0,"上傳的檔案格式不正確");
    }
 
    String file = saveFile(multipartFile,request);
    int result = 0;
    try {
      result = blacklistServcice.addBlackLists(file);
    } catch (Exception e) {
      e.printStackTrace();
    }
    return returnData(result);
  }
 
  private String saveFile(MultipartFile multipartFile,HttpServletRequest request) {
    String path;
    String fileName = multipartFile.getOriginalFilename();
    // 判斷檔案型別
    String realPath = request.getSession().getServletContext().getRealPath("/");
    String trueFileName = fileName;
    // 設定存放Excel檔案的路徑
    path = realPath + trueFileName;
    File file = new File(path);
    if (file.exists() && file.isFile()) {
      file.delete();
    }
    try {
      multipartFile.transferTo(new File(path));
    } catch (IOException e) {
      e.printStackTrace();
    }
 
    return path;
  }

上面的原始碼我們可以看見有一個saveFile方法,這個方法是將檔案存在伺服器本地,這樣方便後續檔案內容的讀取,用不著一次讀取所有的內容從而導致消耗大量的記憶體。當然這裡大家如果有更好的方法希望能留言告知哈。

2 Excel處理工具原始碼

import org.apache.poi.openxml4j.opc.OPCPackage;
import org.apache.poi.xssf.eventusermodel.XSSFReader;
import org.apache.poi.xssf.model.SharedStringsTable;
import org.apache.poi.xssf.usermodel.XSSFRichTextString;
import org.xml.sax.InputSource;
import org.xml.sax.SAXException;
import org.xml.sax.XMLReader;
import org.xml.sax.helpers.DefaultHandler;
import org.xml.sax.helpers.XMLReaderFactory;
 
import java.io.InputStream;
import java.sql.SQLException;
import java.util.*;
 
/**
 * XSSF and SAX (Event API)
 */
public abstract class XxlsAbstract extends DefaultHandler {
  private SharedStringsTable sst;
  private String lastContents;
  private int sheetIndex = -1;
  private List<String> rowlist = new ArrayList<>();
  public List<Map<String,Object>> dataMap = new LinkedList<>(); //即將進行批量插入的資料
  public int willSaveAmount; //將要插入的資料量
  public int totalSavedAmount; //總共插入了多少資料
  private int curRow = 0;    //當前行
  private int curCol = 0;    //當前列索引
  private int preCol = 0;    //上一列列索引
  private int titleRow = 0;  //標題行,一般情況下為0
  public int rowsize = 0;  //列數
 
  //excel記錄行操作方法,以sheet索引,行索引和行元素列表為引數,對sheet的一行元素進行操作,元素為String型別
  public abstract void optRows(int sheetIndex,int curRow,List<String> rowlist) throws SQLException;
 
  //只遍歷一個sheet,其中sheetId為要遍歷的sheet索引,從1開始,1-3
 
  /**
   * @param filename
   * @param sheetId sheetId為要遍歷的sheet索引,從1開始,1-3
   * @throws Exception
   */
  public void processOneSheet(String filename,int sheetId) throws Exception {
    OPCPackage pkg = OPCPackage.open(filename);
    XSSFReader r = new XSSFReader(pkg);
    SharedStringsTable sst = r.getSharedStringsTable();
 
    XMLReader parser = fetchSheetParser(sst);
 
    // rId2 found by processing the Workbook
    // 根據 rId# 或 rSheet# 查詢sheet
    InputStream sheet2 = r.getSheet("rId" + sheetId);
    sheetIndex++;
    InputSource sheetSource = new InputSource(sheet2);
    parser.parse(sheetSource);
    sheet2.close();
  }
 
  public XMLReader fetchSheetParser(SharedStringsTable sst)
      throws SAXException {
    XMLReader parser = XMLReaderFactory.createXMLReader();
    this.sst = sst;
    parser.setContentHandler(this);
    return parser;
  }
 
  public void endElement(String uri,String localName,String name) {
    // 根據SST的索引值的到單元格的真正要儲存的字串
    try {
      int idx = Integer.parseInt(lastContents);
      lastContents = new XSSFRichTextString(sst.getEntryAt(idx))
          .toString();
    } catch (Exception e) {
 
    }
 
    // v => 單元格的值,如果單元格是字串則v標籤的值為該字串在SST中的索引
    // 將單元格內容加入rowlist中,在這之前先去掉字串前後的空白符
    if (name.equals("v")) {
      String value = lastContents.trim();
      value = value.equals("") ? " " : value;
      int cols = curCol - preCol;
      if (cols > 1) {
        for (int i = 0; i < cols - 1; i++) {
          rowlist.add(preCol,"");
        }
      }
      preCol = curCol;
      rowlist.add(curCol - 1,value);
    } else {
      //如果標籤名稱為 row ,這說明已到行尾,呼叫 optRows() 方法
      if (name.equals("row")) {
        int tmpCols = rowlist.size();
        if (curRow > this.titleRow && tmpCols < this.rowsize) {
          for (int i = 0; i < this.rowsize - tmpCols; i++) {
            rowlist.add(rowlist.size(),"");
          }
        }
        try {
          optRows(sheetIndex,curRow,rowlist);
        } catch (SQLException e) {
          e.printStackTrace();
        }
        if (curRow == this.titleRow) {
          this.rowsize = rowlist.size();
        }
        rowlist.clear();
        curRow++;
        curCol = 0;
        preCol = 0;
      }
    }
  }
}

3 解析成功後的資料處理

首先我們將原始碼展示出來,然後再具體說明

public int addBlackLists(String file) throws ExecutionException,InterruptedException {
    ArrayList<Future<Integer>> resultList = new ArrayList<>();
    XxlsAbstract xxlsAbstract = new XxlsAbstract() {
 
      //針對資料的具體處理
      @Override
      public void optRows(int sheetIndex,List<String> rowlist) {
 
        /**
         * 判斷即將插入的資料是否已經到達8000,如果到達8000,
         * 進行資料插入
         */
        if (this.willSaveAmount == 5000) {
 
          //插入資料
          List<Map<String,Object>> list = new LinkedList<>(this.dataMap);
          Callable<Integer> callable = () -> {
            int count = blacklistMasterDao.addBlackLists(list);
            blacklistRecordMasterDao.addBlackListRecords(list);
            return count;
          };
          this.willSaveAmount = 0;
          this.dataMap = new LinkedList<>();
          Future<Integer> future = executor.submit(callable);
          resultList.add(future);
        }
 
        //彙總資料
        Map<String,Object> map = new HashMap<>();
        map.put("uid",rowlist.get(0));
        map.put("createTime",rowlist.get(1));
        map.put("regGame",rowlist.get(2));
          map.put("banGame",rowlist.get(2));
        this.dataMap.add(map);
        this.willSaveAmount++;
        this.totalSavedAmount++;
      }
    };
    try {
      xxlsAbstract.processOneSheet(file,1);
    } catch (Exception e) {
      e.printStackTrace();
    }
 
    //針對沒有存入的資料進行處理
    if(xxlsAbstract.willSaveAmount != 0){
      List<Map<String,Object>> list = new LinkedList<>(xxlsAbstract.dataMap);
      Callable<Integer> callable = () -> {
        int count = blacklistMasterDao.addBlackLists(list);
        blacklistRecordMasterDao.addBlackListRecords(list);
        return count;
      };
      Future<Integer> future = executor.submit(callable);
      resultList.add(future);
    }
 
    executor.shutdown();
    int total = 0;
    for (Future<Integer> future : resultList) {
      while (true) {
        if (future.isDone() && !future.isCancelled()) {
          int sum = future.get();
          total += sum;
          break;
        } else {
          Thread.sleep(100);
        }
      }
    }
    return total;
  }

針對上面的原始碼,我們可以發現,我們需要將讀取到的EXCEL資料插入到資料庫中,這裡為了減小資料庫的IO和提高插入的效率,我們採用5000一批的批量插入(注意:如果資料量過大會導致組成的SQL語句無法執行)。

這裡需要獲取到一個最終執行成功的插入結果,並且插入執行很慢。所有采用了Java多執行緒的Future模式,採用非同步的方式最終來獲取J執行結果。

通過上面的實現,樓主測試得到最終一百萬條資料需要四分鐘左右的時間就可以搞定。如果大家有更好的方法,歡迎留言。

補充知識:Java API SXSSFWorkbook匯出Excel大批量資料(百萬級)解決匯出超時

之前使用簡單的HSSFWorkbook,匯出的資料不能超過

使用Springboot+poi上傳並處理百萬級資料EXCEL

後來改成SXSSFWorkbook之後可以匯出更多,但是

而且我之前的程式碼是一次性查出所有資料,幾十萬條,直接就超時了。

之前的程式碼是一次性查出所有的結果,list裡面存了幾十萬條資料。因為功能設計的問題,我這一個介面要同時處理三個功能:

使用Springboot+poi上傳並處理百萬級資料EXCEL

再加上查詢SQL的效率問題,導致請求超時。

現在為了做到處更大量的資料只能選擇優化。優化查詢的sql這裡就不講了,只講匯出功能的優化。

其實就是分批次處理查詢結果:

使用Springboot+poi上傳並處理百萬級資料EXCEL

這樣做的好處是查詢速度變快,封裝速度也變快,整體速度變快就不會出現超時,而且,每次分頁查出的結果放到list中不會出現佔用JVM記憶體過大的情況。避免出現記憶體溢位導致系統崩潰。

再次優化:

上面這樣做雖然可以匯出,但是程式碼看起來不美觀:

使用Springboot+poi上傳並處理百萬級資料EXCEL

這樣看起來就簡潔很多了。

經驗證,查詢加封裝EXCEL7000條資料處理只需要1秒

使用Springboot+poi上傳並處理百萬級資料EXCEL

使用Springboot+poi上傳並處理百萬級資料EXCEL

使用Springboot+poi上傳並處理百萬級資料EXCEL

以上這篇使用Springboot+poi上傳並處理百萬級資料EXCEL就是小編分享給大家的全部內容了,希望能給大家一個參考,也希望大家多多支援我們。