java写一个实现导出excel表格的例子
时间: 2023-05-22 21:05:24 浏览: 107
好的,以下是一个使用Java语言实现导出Excel表格的例子:
```
import java.io.FileOutputStream;
import java.io.IOException;
import java.util.ArrayList;
import java.util.List;
import org.apache.poi.hssf.usermodel.HSSFWorkbook;
import org.apache.poi.ss.usermodel.CellStyle;
import org.apache.poi.ss.usermodel.Font;
import org.apache.poi.ss.usermodel.Row;
import org.apache.poi.ss.usermodel.Sheet;
import org.apache.poi.ss.usermodel.Workbook;
import org.apache.poi.ss.util.CellRangeAddress;
public class ExcelExportExample {
public static void main(String[] args) {
// 创建一个Excel文档
Workbook workbook = new HSSFWorkbook();
Sheet sheet = workbook.createSheet("sheet1");
// 设置列宽
sheet.setColumnWidth(0, 4000);
sheet.setColumnWidth(1, 4000);
// 创建单元格样式
CellStyle style = workbook.createCellStyle();
Font font = workbook.createFont();
font.setBold(true);
style.setFont(font);
// 创建标题行,并合并单元格
Row titleRow = sheet.createRow(0);
titleRow.setHeightInPoints(20);
titleRow.createCell(0).setCellValue("商品信息表");
titleRow.getCell(0).setCellStyle(style);
sheet.addMergedRegion(new CellRangeAddress(0, 0, 0, 1));
// 创建表头行
Row headerRow = sheet.createRow(1);
headerRow.setHeightInPoints(18);
headerRow.createCell(0).setCellValue("商品名称");
headerRow.getCell(0).setCellStyle(style);
headerRow.createCell(1).setCellValue("商品价格");
headerRow.getCell(1).setCellStyle(style);
// 添加数据
List<Product> list = new ArrayList<>();
list.add(new Product("iPhone", 7999.00));
list.add(new Product("iPad", 4999.00));
list.add(new Product("Macbook", 9999.00));
list.add(new Product("iMac", 10999.00));
for (int i = 0; i < list.size(); i++) {
Row dataRow = sheet.createRow(i + 2);
dataRow.createCell(0).setCellValue(list.get(i).getName());
dataRow.createCell(1).setCellValue(list.get(i).getPrice());
}
// 输出Excel文档
try (FileOutputStream outputStream = new FileOutputStream("product.xls")) {
workbook.write(outputStream);
System.out.println("导出成功");
} catch (IOException e) {
e.printStackTrace();
}
}
private static class Product {
private String name;
private double price;
public Product(String name, double price) {
this.name = name;
this.price = price;
}
public String getName() {
return name;
}
public double getPrice() {
return price;
}
}
}
```
该程序使用Apache POI库来操作Excel文档,首先创建一个HSSFWorkbook对象表示一个Excel文档,然后创建一个Sheet对象表示一个工作表,然后创建行和单元格,在单元格中填入数据即可,最后将文档输出到文件中。
阅读全文