java逐行读取excel
时间: 2024-05-04 16:13:57 浏览: 183
java读取excel
4星 · 用户满意度95%
在Java中,可以使用Apache POI库来逐行读取Excel文件。下面是一个简单的示例代码:
```java
import org.apache.poi.ss.usermodel.*;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
public class ExcelReader {
public static void main(String[] args) {
try {
// 打开Excel文件
FileInputStream file = new FileInputStream(new File("path/to/your/excel/file.xlsx"));
// 创建工作簿对象
Workbook workbook = WorkbookFactory.create(file);
// 获取第一个工作表
Sheet sheet = workbook.getSheetAt(0);
// 遍历每一行
for (Row row : sheet) {
// 遍历每个单元格
for (Cell cell : row) {
// 读取单元格的值
String cellValue = cell.getStringCellValue();
System.out.print(cellValue + "\t");
}
System.out.println();
}
// 关闭文件流
file.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
```
上述代码使用了Apache POI库来读取Excel文件。首先,通过`FileInputStream`类打开Excel文件。然后,使用`WorkbookFactory`类创建工作簿对象。接下来,通过`getSheetAt()`方法获取第一个工作表。然后,使用嵌套的循环遍历每一行和每个单元格,并使用`getStringCellValue()`方法读取单元格的值。
请注意,你需要将代码中的`"path/to/your/excel/file.xlsx"`替换为你实际的Excel文件路径。
阅读全文