java读取excel文件内容并进行处理
时间: 2023-11-10 14:02:04 浏览: 93
对于Java来读取Excel文件内容并进行处理,你可以使用Apache POI库。下面是一个简单的示例代码,演示了如何读取Excel文件中的数据:
```java
import org.apache.poi.ss.usermodel.*;
import org.apache.poi.xssf.usermodel.XSSFWorkbook;
import java.io.FileInputStream;
import java.io.IOException;
public class ExcelReader {
public static void main(String[] args) {
String filePath = "path/to/your/excel/file.xlsx";
try (FileInputStream fileInputStream = new FileInputStream(filePath);
Workbook workbook = new XSSFWorkbook(fileInputStream)) {
Sheet sheet = workbook.getSheetAt(0); // 获取第一个工作表
for (Row row : sheet) {
for (Cell cell : row) {
switch (cell.getCellType()) {
case STRING:
System.out.print(cell.getStringCellValue() + "\t");
break;
case NUMERIC:
System.out.print(cell.getNumericCellValue() + "\t");
break;
case BOOLEAN:
System.out.print(cell.getBooleanCellValue() + "\t");
break;
default:
System.out.print("\t");
}
}
System.out.println();
}
} catch (IOException e) {
e.printStackTrace();
}
}
}
```
该示例使用了XSSFWorkbook类来处理.xlsx格式的Excel文件,如果需要处理.xls格式的文件,可以使用HSSFWorkbook类。你需要将"path/to/your/excel/file.xlsx"替换为实际的Excel文件路径。
阅读全文