springboot poi 读取excel
时间: 2023-08-19 20:06:12 浏览: 217
你可以使用Apache POI库来读取Excel文件。下面是一个使用Spring Boot和POI读取Excel文件的简单示例:
1. 首先,确保你的Spring Boot项目中引入了POI的依赖。在`pom.xml`文件中添加以下依赖:
```xml
<dependency>
<groupId>org.apache.poi</groupId>
<artifactId>poi</artifactId>
<version>4.1.2</version>
</dependency>
```
2. 创建一个`ExcelService`类,用于处理Excel文件的读取逻辑。这个类可以使用POI库提供的`Workbook`和`Sheet`类来读取Excel文件。
```java
import org.apache.poi.ss.usermodel.*;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
@Service
public class ExcelService {
public void readExcelFile(String filePath) {
try {
FileInputStream file = new FileInputStream(new File(filePath));
Workbook workbook = WorkbookFactory.create(file);
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();
}
workbook.close();
file.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
```
3. 在需要读取Excel文件的地方,注入`ExcelService`并调用`readExcelFile`方法。
```java
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.CommandLineRunner;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class MyApp implements CommandLineRunner {
@Autowired
private ExcelService excelService;
public static void main(String[] args) {
SpringApplication.run(MyApp.class, args);
}
@Override
public void run(String... args) throws Exception {
String filePath = "path/to/your/excel/file.xlsx";
excelService.readExcelFile(filePath);
}
}
```
这样,你就可以使用Spring Boot和POI库来读取Excel文件了。请注意,这只是一个简单的示例,你可能需要根据你的具体需求进行适当的调整和扩展。
阅读全文