Read Excel Content Using Apache POI in Java
A detailed guide on reading Excel file content in Java using the Apache POI library. This article provides sample code, a detailed explanation of each line, and steps for installing the necessary libraries.
The Java code utilizes the Apache POI library to read data from an Excel file. We will open the file, read each row and column, and print the content to the console.
import org.apache.poi.ss.usermodel.Cell;
import org.apache.poi.ss.usermodel.Row;
import org.apache.poi.xssf.usermodel.XSSFSheet;
import org.apache.poi.xssf.usermodel.XSSFWorkbook;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
public class ReadExcelExample {
public static void main(String[] args) {
try {
// Path to the Excel file to be read
FileInputStream file = new FileInputStream(new File("sample.xlsx"));
// Create a workbook object from the Excel file
XSSFWorkbook workbook = new XSSFWorkbook(file);
// Retrieve the first sheet from the workbook
XSSFSheet sheet = workbook.getSheetAt(0);
// Iterate through each row in the sheet
for (Row row : sheet) {
// Iterate through each cell in the row
for (Cell cell : row) {
// Print the value of the cell
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("Unknown" + "\t");
}
}
System.out.println();
}
workbook.close();
file.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
Detailed explanation
FileInputStream file = new FileInputStream(new File("sample.xlsx"));
: Opens the Excel file from the specified path.XSSFWorkbook workbook = new XSSFWorkbook(file);
: Creates a workbook object from the Excel file.XSSFSheet sheet = workbook.getSheetAt(0);
: Retrieves the first sheet from the workbook.for (Row row : sheet)
: Iterates through all the rows in the sheet.for (Cell cell : row)
: Iterates through each cell in the row.switch (cell.getCellType())
: Checks the data type of the cell and prints the corresponding value.workbook.close()
andfile.close()
: Closes the workbook and file after processing.
System Requirements
- Java version: JDK 8 or later
- Apache POI library: Version 5.2.3 or newer
How to install the libraries needed to run the Java code above
- Download the Apache POI JAR files from the official website: https://poi.apache.org/download.html
- Add the JAR files to your Java project's classpath.
Tips
- Use try-with-resources to ensure the file is automatically closed after processing.
- Verify the Excel file format (XLSX or XLS) before attempting to read it.