Apache POI 是Java 领域中可以操作World,Excel,PPT文件的类库,可以用于生成报表,数据处理等.

1, 导入apache POI的maven依赖

1
2
3
4
5
6
7
8
9
10
11
12
13
<!-- https://mvnrepository.com/artifact/org.apache.poi/poi -->
<dependency>
<groupId>org.apache.poi</groupId>
<artifactId>poi</artifactId>
<version>3.16</version>
</dependency>
<!-- https://mvnrepository.com/artifact/org.apache.poi/poi-ooxml -->
<dependency>
<groupId>org.apache.poi</groupId>
<artifactId>poi-ooxml</artifactId>
<version>3.16</version>
</dependency>

2, 在测试文件中, 测试excel的读写

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
@SpringBootTest
public class POITest {

/**
* 通过创建POI创建excel文件并写入文件内容
*/
public static void write() {
// 在内存中创建一个Excel文件
XSSFWorkbook excel = new XSSFWorkbook();
// 在内存中创建一个sheet页
XSSFSheet sheetInfo1 = excel.createSheet("info1");
XSSFRow row = sheetInfo1.createRow(0);
row.createCell(0).setCellValue("姓名-这是第1行第1格");
row.createCell(2).setCellValue("城市-这是第1行第3格");

// 创建一个新行
XSSFRow row2 = sheetInfo1.createRow(2);
row2.createCell(0).setCellValue("三儿");
row2.createCell(2).setCellValue("北京");

// 将内存中的excel写入到磁盘中
FileOutputStream out = null;
try {
out = new FileOutputStream(new File("G:\\test.xlsx"));
excel.write(out);
} catch (IOException e) {
throw new RuntimeException(e);
} finally {
try {
out.close();
excel.close();
} catch (IOException e) {
throw new RuntimeException(e);
}
}
}

/**
* 读取excel文件中的内容
*/
public static void read() {
XSSFWorkbook sheets = null;
FileInputStream is = null;
try {
// 读取磁盘上的文件
is = new FileInputStream(new File("G:\\test.xlsx"));
sheets = new XSSFWorkbook(is);
// 读取文件内容
XSSFSheet sheetAt = sheets.getSheetAt(0);
// 获取有内容的最后一行行数
int lastRowNum = sheetAt.getLastRowNum();
for (int i = 0; i <= lastRowNum; i++) {
XSSFRow row = sheetAt.getRow(i);
// 如果某一行没有内容,row为null, 则创建这一行, 防止运行时invoke报错
if (row == null){
row = sheetAt.createRow(i);
}
// 获取这一行有多少列
int lastCellNum = row.getLastCellNum();
for (int j = 0; j < lastCellNum; j++) {
XSSFCell cell = row.getCell(j);
// 如果这一列不为null时, 将其输出
if (cell != null)
System.out.print(cell.getStringCellValue());
}
System.out.println();
}

} catch (IOException e) {
throw new RuntimeException(e);
} finally {
try {
is.close();
sheets.close();
} catch (IOException e) {
throw new RuntimeException(e);
}
}
}

public static void main(String[] args) {
// 将内存中的excel写入到具体地址
write();
// 将具体地址的excel读出
read();
/* 输出为
姓名-这是第1行第1格城市-这是第1行第3格

三儿北京
*/
}
}