Cách ghi nội dung vào file Excel bằng Java
Hướng dẫn cách ghi dữ liệu vào file Excel bằng Java, sử dụng thư viện Apache POI để thao tác với file Excel một cách hiệu quả và đơn giản.
Trong bài viết này, chúng ta sẽ tìm hiểu cách sử dụng thư viện Apache POI để ghi dữ liệu vào file Excel bằng Java. Apache POI là một thư viện mạnh mẽ giúp bạn thao tác với các file Excel (.xls và .xlsx) một cách dễ dàng.
import org.apache.poi.ss.usermodel.*;
import org.apache.poi.xssf.usermodel.XSSFWorkbook;
import java.io.FileOutputStream;
import java.io.IOException;
public class WriteExcelExample {
public static void main(String[] args) {
// Tạo một workbook mới
Workbook workbook = new XSSFWorkbook();
// Tạo một sheet mới
Sheet sheet = workbook.createSheet("Thông Tin");
// Dữ liệu mẫu để ghi vào file Excel
Object[][] data = {
{"Tên", "Tuổi", "Thành Phố"},
{"Nguyễn Văn A", 23, "Hà Nội"},
{"Trần Thị B", 25, "Hồ Chí Minh"},
{"Lê Văn C", 21, "Đà Nẵng"}
};
// Ghi dữ liệu vào sheet
int rowCount = 0;
for (Object[] aData : data) {
Row row = sheet.createRow(rowCount++);
int columnCount = 0;
for (Object field : aData) {
Cell cell = row.createCell(columnCount++);
if (field instanceof String) {
cell.setCellValue((String) field);
} else if (field instanceof Integer) {
cell.setCellValue((Integer) field);
}
}
}
// Ghi workbook vào file
try (FileOutputStream outputStream = new FileOutputStream("output.xlsx")) {
workbook.write(outputStream);
} catch (IOException e) {
e.printStackTrace();
}
// Đóng workbook
try {
workbook.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
Giải thích chi tiết từng dòng code
import org.apache.poi.ss.usermodel.*;
vàimport org.apache.poi.xssf.usermodel.XSSFWorkbook;
: Import các lớp cần thiết từ thư viện Apache POI để làm việc với file Excel.Workbook workbook = new XSSFWorkbook();
: Tạo một workbook mới cho file Excel (.xlsx).Sheet sheet = workbook.createSheet("Thông Tin");
: Tạo một sheet mới với tên là "Thông Tin".Object[][] data = {...}
: Khởi tạo dữ liệu mẫu để ghi vào file Excel.- Vòng lặp
for
: Duyệt qua dữ liệu và ghi từng giá trị vào các ô tương ứng trong sheet. try (FileOutputStream outputStream = new FileOutputStream("output.xlsx"))
: Tạo một FileOutputStream để ghi workbook vào file "output.xlsx".workbook.write(outputStream);
: Ghi dữ liệu từ workbook vào file Excel.workbook.close();
: Đóng workbook sau khi hoàn tất.
Yêu cầu hệ thống
- Java 8 trở lên
- Thư viện: Apache POI (phiên bản 5.0.0 trở lên)
Cách cài đặt các thư viện để chạy được đoạn mã Java trên
- Tải xuống thư viện Apache POI từ trang chủ Apache POI.
- Thêm các tệp JAR cần thiết vào classpath của dự án của bạn, bao gồm:
poi-5.0.0.jar
poi-ooxml-5.0.0.jar
poi-ooxml-schemas-5.0.0.jar
- Và các thư viện phụ thuộc khác.
Lời khuyên
- Hãy luôn kiểm tra dữ liệu đầu vào trước khi ghi vào file Excel.
- Khi sử dụng Apache POI, hãy đảm bảo đóng workbook sau khi ghi xong để tránh tình trạng rò rỉ tài nguyên.