如何使用Apache POI从Excel文件中获取列?

2022-09-03 01:45:57

为了进行一些统计分析,我需要提取Excel工作表的一列中的值。我一直在使用Apache POI包来读取Excel文件,当需要迭代行时,它可以正常工作。但是,我无法在API(链接文本)或通过Google搜索中找到有关获取列的任何信息。

由于我需要获取不同列的最大值和最小值并使用这些值生成随机数,因此无需选取单个列,唯一的其他选择是迭代行和列以获取值并逐个比较,这听起来并不是那么省时。

关于如何解决这个问题的任何想法?

谢谢


答案 1

Excel 文件是基于行的,而不是基于列的,因此获取列中所有值的唯一方法是依次查看每一行。没有比这更快的方法来获取列,因为列中的单元格不会一起存储。

你的代码可能想要像这样:

List<Double> values = new ArrayList<Double>();
for(Row r : sheet) {
   Cell c = r.getCell(columnNumber);
   if(c != null) {
      if(c.getCellType() == Cell.CELL_TYPE_NUMERIC) {
         valuesadd(c.getNumericCellValue());
      } else if(c.getCellType() == Cell.CELL_TYPE_FORMULA && c.getCachedFormulaResultType() == Cell.CELL_TYPE_NUMERIC) {
         valuesadd(c.getNumericCellValue());
      }
   }
}

然后,这将为您提供该列中的所有数字单元格值。


答案 2

只是想添加,如果你的文件中有标题,你不确定列索引,但想在特定的标题(列名)下选择列,例如,你可以尝试这样的事情

    for(Row r : datatypeSheet) 
            {
                Iterator<Cell> headerIterator = r.cellIterator();
                Cell header = null;
                // table header row
                if(r.getRowNum() == 0)
                {
                    //  getting specific column's index

                    while(headerIterator.hasNext())
                    {
                        header = headerIterator.next();
                        if(header.getStringCellValue().equalsIgnoreCase("column1Index"))
                        {
                            column1Index = header.getColumnIndex();
                        }
                    }
                }
                else
                {
                    Cell column1Cells = r.getCell(column1);

                    if(column1Cells != null) 
                    {
                        if(column1Cells.getCellType() == Cell.CELL_TYPE_NUMERIC) 
                        {
// adding to a list
                            column1Data.add(column1Cells.getNumericCellValue());
                        }
                        else if(column1Cells.getCellType() == Cell.CELL_TYPE_FORMULA && column1Cells.getCachedFormulaResultType() == Cell.CELL_TYPE_NUMERIC) 
                        {
// adding to a list
                            column1Data.add(column1Cells.getNumericCellValue());
                        }
                    }

                }    
            }

推荐