JXL(Java Excel API) 라이브러리는 자바에서 Microsoft Excel 파일(.xls)을 읽고 쓸 수 있는 라이브러리입니다. JSL은 Excel 97-2003 형식의 .xls
파일을 지원하며, 엑셀 파일에서 데이터를 읽어오거나 새로운 엑셀 파일을 생성하고 수정하는 기능을 제공합니다.
.xls
형식의 파일에서 데이터를 읽어오거나 작성할 수 있음..xlsx
파일은 지원하지 않음.Project Structure
-> Libraries
메뉴를 통해 다운로드한 .jar
파일을 프로젝트에 추가.package com.exam;
import jxl.Cell;
import jxl.Sheet;
import jxl.Workbook;
import jxl.read.biff.BiffException;
import java.io.File;
import java.io.IOException;
public class ExcelEx02 {
public static void main(String[] args) {
Workbook workbook = null;
try {
// 엑셀 파일 열기
workbook = Workbook.getWorkbook(new File("./jxlrwtest.xls"));
// 첫 번째 시트 가져오기
Sheet sheet = workbook.getSheet(0);
System.out.println(sheet.getName()); // 시트 이름 출력
// 시트에서 행(row)와 열(column)의 개수 확인
System.out.println(sheet.getRows());
System.out.println(sheet.getColumns());
// 첫 번째 셀의 데이터 읽기
Cell cell = sheet.getCell(0, 0);
System.out.println(cell.getContents()); // 셀 내용 출력
} catch (IOException | BiffException e) {
System.out.println("[에러] " + e.getMessage());
} finally {
if (workbook != null) {
workbook.close(); // 워크북 닫기
}
}
}
}
Workbook.getWorkbook()
메서드를 사용해 엑셀 파일을 엽니다.for (int i = 0; i < 11; i++) {
Cell cell = sheet.getCell(i, 2); // 2번째 행에서 각 열의 셀 가져오기
System.out.println(cell.getContents());
}
package com.exam;
import jxl.Cell;
import jxl.Sheet;
import jxl.Workbook;
import jxl.read.biff.BiffException;
import java.io.File;
import java.io.IOException;
public class JXLReadExample {
public static void main(String[] args) {
try {
File excelFile = new File("jxlrwtest.xls");
Workbook workbook = Workbook.getWorkbook(excelFile);
Sheet sheet = workbook.getSheet(0);
int rows = sheet.getRows();
int columns = sheet.getColumns();
for (int i = 0; i < rows; i++) {
for (int j = 0; j < columns; j++) {
// 각 셀(Cell)의 데이터를 가져옴
Cell cell = sheet.getCell(j, i);
// 셀 데이터를 출력
System.out.print(cell.getContents() + "\t");
}
System.out.println(); // 한 줄 출력 후 개행
}
workbook.close();
} catch (IOException | BiffException e) {
e.printStackTrace();
}
}
}
getRows()
와 getColumns()
: 시트에서 행과 열의 개수를 확인한 후 반복문을 사용하여 모든 셀의 데이터를 읽을 수 있습니다.sheet.getCell(j, i)
: 특정 행(i)과 열(j)의 셀 데이터를 읽어와 출력..xls
파일 형식의 엑셀 데이터를 읽고 쓸 수 있는 라이브러리로, 기본적인 엑셀 작업을 처리할 수 있습니다..xlsx
파일을 처리하려면 다른 라이브러리(예: Apache POI)를 사용해야 합니다.