如何加速apache POI中的自动调整列?

时间:2013-09-24 13:37:34

标签: java performance excel apache-poi autosize

我使用以下代码来自动调整电子表格中的列:

for (int i = 0; i < columns.size(); i++) {
   sheet.autoSizeColumn(i, true);
   sheet.setColumnWidth(i, sheet.getColumnWidth(i) + 600);
}

问题是,如果大型电子表格超过3000行,则每列自动调整大小需要10分钟以上。尽管如此,它对于小文档来说非常快。有什么能帮助自动化更快地工作吗?

2 个答案:

答案 0 :(得分:31)

对我有用的解决方案:

有可能避免合并区域,所以我可以遍历其他单元格,最后自动调整到最大的单元格,如下所示:

int width = ((int)(maxNumCharacters * 1.14388)) * 256;
sheet.setColumnWidth(i, width);

其中1.14388是“Serif”字体的最大字符宽度和256个字体单位。

自动调整的性能从10分钟提高到6秒。

答案 1 :(得分:1)

autoSizeColumn 函数本身并不完美,某些列的宽度也不完全适合内部数据。因此,我找到了适合自己的解决方案。

  1. 为避免疯狂的计算,请将其赋予autoSizeColumn()函数:
   sheet.autoSizeColumn(<columnIndex>);
  1. 现在,我们的列按库自动调整大小,但我们不会在当前列宽上增加一点以使表看起来不错:
   // get autosized column width
   int currentColumnWidth = sheet.getColumnWidth(<columnIndex>);

   // add custom value to the current width and apply it to column
   sheet.setColumnWidth(<columnIndex>, (currentColumnWidth + 2500));
  1. 完整功能可能如下:
   public void autoSizeColumns(Workbook workbook) {
        int numberOfSheets = workbook.getNumberOfSheets();
        for (int i = 0; i < numberOfSheets; i++) {
            Sheet sheet = workbook.getSheetAt(i);
            if (sheet.getPhysicalNumberOfRows() > 0) {
                Row row = sheet.getRow(sheet.getFirstRowNum());
                Iterator<Cell> cellIterator = row.cellIterator();
                while (cellIterator.hasNext()) {
                    Cell cell = cellIterator.next();
                    int columnIndex = cell.getColumnIndex();
                    sheet.autoSizeColumn(columnIndex);
                    int currentColumnWidth = sheet.getColumnWidth(columnIndex);
                    sheet.setColumnWidth(columnIndex, (currentColumnWidth + 2500));
                }
            }
        }
    }

P.S。感谢Ondrej Kvasnovsky提供的功能https://stackoverflow.com/a/35324693/13087091