2

我正在使用Apache POI将数据导入excel filedatabase.(新手到 APACHE POI)

在其中我允许用户从 excel 表中选择列并将这些列映射到数据库列。映射列后,当我尝试从那时插入记录ExcelDatabase

  • 如果其中包含NO blank值的列被映射,则将适当的数据插入数据库
  • 如果列映射了其中的BLANK值,则如果 aExcel Cell具有空白值,column则分配该值的前一个值。

源代码:

FileInputStream file = new FileInputStream(new File("C:/Temp.xls"));
HSSFWorkbook workbook = new HSSFWorkbook(file); //Get the workbook instance for XLS file
HSSFSheet sheet = workbook.getSheetAt(0);   //Get first sheet from the workbook
Iterator<Row> rowIterator = sheet.iterator(); //Iterate through each rows from first sheet
while (rowIterator.hasNext())
{
  HSSFRow hssfRow = (HSSFRow) rowIterator.next();
  Iterator<Cell> iterator = hssfRow.cellIterator();
  int current = 0, next = 1;
  while (iterator.hasNext())
  {
    HSSFCell hssfCell = (HSSFCell) iterator.next();
    current = hssfCell.getColumnIndex();
    for(int i=0;i<arrIndex.length;i++)    //arrayIndex is array of Excel cell Indexes selected by the user
    {
      if(arrIndex[i] == hssfCell.getColumnIndex())
      {
        if(current<next) 
        {
                    //System.out.println("Condition Satisfied");     
        }
        else 
        {
          System.out.println( "pstmt.setString("+next+",null);");
          pstmt.setString(next,null);
          next = next + 1;
        }
        System.out.println( "pstmt.setString("+next+","+((Object)hssfCell).toString()+");");
        pstmt.setString(next,((Object)hssfCell).toString());
        next = next + 1;
      }
    }
  }
  pstmt.addBatch();
  }

我已经在 SO 上寻找类似的问题,但仍然无法解决问题。所以任何帮助将不胜感激。

提前致谢..

4

1 回答 1

6

你犯了一个非常常见的错误,在过去的很多 StackOverflow 问题中都涉及到了这个错误

正如关于单元迭代的 Apache POI 文档所说

在某些情况下,在迭代时,您需要完全控制缺失或空白单元格的处理方式,并且您需要确保访问每个单元格,而不仅仅是文件中定义的单元格。(CellIterator 将只返回文件中定义的单元格,主要是那些具有值或样式的单元格,但这取决于 Excel)。

听起来您处于那种情况,您需要关心击中每一行/单元格,而不仅仅是抓住所有可用的单元格而不担心间隙

您需要更改您的代码,使其看起来有点像 POI 文档中的示例

// Decide which rows to process
int rowStart = Math.min(15, sheet.getFirstRowNum());
int rowEnd = Math.max(1400, sheet.getLastRowNum());

for (int rowNum = rowStart; rowNum < rowEnd; rowNum++) {
   Row r = sheet.getRow(rowNum);

   int lastColumn = Math.max(r.getLastCellNum(), MY_MINIMUM_COLUMN_COUNT);

   for (int cn = 0; cn < lastColumn; cn++) {
      Cell c = r.getCell(cn, Row.RETURN_BLANK_AS_NULL);
      if (c == null) {
         // The spreadsheet is empty in this cell
         // Mark it as blank in the database if needed
      } else {
         // Do something useful with the cell's contents
      }
   }
}
于 2013-02-22T14:19:00.300 回答