我在将数据写入Excel工作表时遇到问题。该程序的其他部分将生成一个对象的ArrayList并将其发送到此循环。此循环先读取一个对象,然后再写入Excel工作表。

我知道我想念一些东西。它仅写入列表中的最后一个对象。

如果我尝试将这段代码放在while循环中:

FileOutputStream out = new FileOutputStream(writeExcel);
        writeExtraBook.write(out);
        out.close();

然后,它仅将第一条记录写入文件。

谁能帮助我我做错了什么

这是写数据的代码:
String writeExcel = CONSTANTS.FOW_FILE_PATH;

    FileInputStream writeInput;
    try {
        writeInput = new FileInputStream(writeExcel);

        /** Create a POIFSFileSystem object **/
        POIFSFileSystem mywriteSystem = new POIFSFileSystem(writeInput);
        HSSFWorkbook writeExtraBook = new HSSFWorkbook(mywriteSystem);
        HSSFSheet myExtrasSheet = writeExtraBook.getSheet("FOW");
        HSSFRow extraRow = null;
        HSSFCell extraRowCell = null;
        int lastRowNumber = myExtrasSheet.getLastRowNum();

        Iterator<FoWForm> iter = fowList.iterator();
        while (iter.hasNext()) {
            extraRow = myExtrasSheet.createRow(lastRowNumber + 1);
            FoWForm form = iter.next();
            extraRowCell = extraRow.createCell(0);
            extraRowCell.setCellValue(lastRowNumber + 1);
            extraRowCell = extraRow.createCell(1);
            extraRowCell.setCellValue(form.getFowDesc());
            extraRowCell = extraRow.createCell(2);
            extraRowCell.setCellValue(form.getForCountry());
            extraRowCell = extraRow.createCell(3);
            extraRowCell.setCellValue(form.getMatchId());
            extraRowCell = extraRow.createCell(4);
            extraRowCell.setCellValue(form.getAgainstCountry());

        }
        FileOutputStream out = new FileOutputStream(writeExcel);
        writeExtraBook.write(out);
        out.close();
    } catch (FileNotFoundException e1) {
        // TODO Auto-generated catch block
        e1.printStackTrace();
    }

最佳答案

我怀疑这是问题所在:

int lastRowNumber = myExtrasSheet.getLastRowNum();
...
while (iter.hasNext()) {
    extraRow = myExtrasSheet.createRow(lastRowNumber + 1);

您只评估lastRowNumber一次-因此在每次迭代中,您都使用相同的新行号调用createRow,这大概会覆盖该行。

我怀疑您想要:
lastRowNumber++;

在循环中...

10-08 11:26