我在Excel中有这样的公式:
=IF(A1="foo";"";"0")
如果公式返回空白值,我想在POI创建的结果csv文件中没有值。如果公式返回0
我想在我的csv文件中添加0
。
这是我的代码的一部分(它始终是代码剥离程度的问题):
Iterator<Row> rowIterator = sheet.rowIterator();
while (rowIterator.hasNext()) {
Row row = rowIterator.next();
Iterator<Cell> cellIterator = row.cellIterator();
boolean isFirst = true;
for (int cn = 0; cn < row.getLastCellNum(); cn++) {
Cell cell = row.getCell(cn, Row.CREATE_NULL_AS_BLANK);
if (!isFirst) {
buffer.write(delimiter.getBytes(charset));
} else {
isFirst = false;
}
// Numeric Cell type (0)
// String Cell type (1)
// Formula Cell type (2)
// Blank Cell type (3)
// Boolean Cell type (4)
// Error Cell type (5)
if (cell.getCellType() == 0 || cell.getCellType() == 2) {
try {
if (DateUtil.isCellDateFormatted(cell)) {
cell.setCellType(Cell.CELL_TYPE_NUMERIC);
Date value = cell.getDateCellValue();
SimpleDateFormat sdf = new SimpleDateFormat("dd.MM.yyyy");
if (cell.getNumericCellValue() < 1) {
sdf.applyPattern("HH:mm:ss");
}
buffer.write(sdf.format(value).getBytes(charset));
} else {
double valueDouble = cell.getNumericCellValue();
if (valueDouble == Math.ceil(valueDouble)) {
buffer.write(String.format("%d", (long) valueDouble).getBytes(charset));
} else {
valueDouble = round(valueDouble, roundingPlaces);
String value = String.valueOf(valueDouble).replace(".", ",");
buffer.write(value.getBytes(charset));
}
}
} catch (Exception e) {
// Formula returns a string
cell.setCellType(Cell.CELL_TYPE_STRING);
String value = cell.getStringCellValue();
buffer.write(value.getBytes(charset));
}
} else {
cell.setCellType(Cell.CELL_TYPE_STRING);
String value = cell.getStringCellValue();
buffer.write(value.getBytes(charset));
}
}
buffer.write("\r\n".getBytes(charset));
}
此代码在每种情况下都会在csv文件中生成0
。它来自行
double valueDouble = cell.getNumericCellValue();
documentation非常清楚这一点:
double getNumericCellValue()
获取单元格的值作为数字。
对于字符串,我们抛出异常。对于空白单元格,我们返回0. For 公式或错误单元格我们返回预先计算的值;
如果单元格包含NULL值,我如何分析它?
答案 0 :(得分:1)
我认为您的问题是公式返回字符“”或“0”,但您将其视为数字。
答案 1 :(得分:1)
cell.getCellType() == Cell.CELL_TYPE_BLANK
, Cell
应为true,否则为false。
编辑:我忘了你有一个Formula单元格。在这种情况下,请增加到:cell.getCellType() == Cell.CELL_TYPE_FORMULA ? Cell.getCachedFormulaResultType() == Cell.CELL_TYPE_BLANK : cell.getCellType() == Cell.CELL_TYPE_BLANK
此外,您可能不应过滤空白单元格,而应使用非数字单元格。
答案 2 :(得分:1)
@llogiq让我走上正轨!
我在if
语句之前添加了以下代码:
if (cell.getCellType() == 2 && cell.getCachedFormulaResultType() == 1) {
logger.log(Level.DEBUG, "Formula returns a string. (1)");
cell.setCellType(Cell.CELL_TYPE_STRING);
String value = cell.getStringCellValue();
buffer.write(value.getBytes(charset));
} else if (cell.getCellType() == 0 || cell.getCellType() == 2) {
现在公式导致我的csv文件中出现空白字段!我甚至可以摆脱讨厌的try catch
阻止。当然,现在我仍然需要美化代码......