无法从数字单元格“Poi”中获取文本值

2022-08-31 13:14:19

我正在尝试在Excel中使用电子表格中的数据,但总是出现此错误,已尝试将工作表格式化为文本和数字,但错误仍然存在。

我看到一个人使用它解决了,但我不知道我在我的代码中适合这段话。cell.setCellType ( Cell.CELL_TYPE_STRING ) ;

WebElement searchbox = driver.findElement(By.name("j_username"));
WebElement searchbox2 = driver.findElement(By.name("j_password"));         

try {
    FileInputStream file = new FileInputStream(new File("C:\\paulo.xls")); 
    HSSFWorkbook workbook = new HSSFWorkbook(file);
    HSSFSheet sheet = workbook.getSheetAt(0);

    for (int i=1; i <= sheet.getLastRowNum(); i++){
        String j_username = sheet.getRow(i).getCell(0).getStringCellValue();
        String j_password = sheet.getRow(i).getCell(0).getStringCellValue();

        searchbox.sendKeys(j_username);
        searchbox2.sendKeys(j_password);
        searchbox.submit();  

        driver.manage().timeouts().implicitlyWait(10000, TimeUnit.MILLISECONDS);
    }

    workbook.close();
    file.close();
} catch (FileNotFoundException fnfe) {
    fnfe.printStackTrace();
} catch (IOException ioe) {
    ioe.printStackTrace();

答案 1

在这种情况下,格式化程序将正常工作。

import org.apache.poi.ss.usermodel.DataFormatter;

FileInputStream fis = new FileInputStream(workbookName);
Workbook workbook = WorkbookFactory.create(fis);
Sheet sheet = workbook.getSheet(sheetName);
DataFormatter formatter = new DataFormatter();
String val = formatter.formatCellValue(sheet.getRow(row).getCell(col));
list.add(val);   //Adding value to list

答案 2

    Cell cell = sheet.getRow(i).getCell(0);
    cell.setCellType ( Cell.CELL_TYPE_STRING );
    String j_username = cell.getStringCellValue();

更新

好吧,正如在评论中所说,尽管这是有效的,但它并不是从Excel的单元格中检索数据的正确方法。

根据手册在这里

如果要做的是获取数字单元格的字符串值,请停止!这不是这样做的方法。相反,要获取数字、布尔值或日期单元格的字符串值,请改用 DataFormatter。

根据 DataFormatter API

DataFormatter 包含用于设置存储在单元格中的值的格式的方法。当您需要完全按照数据在 Excel 中的显示方式显示数据时,这对于报表和 GUI 演示文稿非常有用。支持的格式包括货币,SSN,百分比,小数,日期,电话号码,邮政编码等。

因此,显示数字单元格值的正确方法如下:

 DataFormatter formatter = new DataFormatter(); //creating formatter using the default locale
 Cell cell = sheet.getRow(i).getCell(0);
 String j_username = formatter.formatCellValue(cell); //Returns the formatted value of a cell as a String regardless of the cell type.

推荐