Apache POI 的简单应用

在实际开发,数据存储中,所有的数据都是存储在数据库中的,但是在实际使用过程中,大部分场景还是会使用到Excel表格,而不是数据库,主要还是Excel方便快捷,直观易于理解,而且方便拷贝,可移植性强,及其适合非专业的数据存储。所以在实际开发过程中会经常用到从数据库取出部分数据然后想办法导入到Excel表格中,尤其是各种报表,订单数据汇总等,但是也不可能手动一个一个的输入,因此有了Apache POI开源项目,该项目提供了利用Java代码进行MicroSoft Office系列办公软件的操作API,极大的方便了数据的输出,尤其是在Excel中,该案例仅以Excel的读写为例。


package cn.guyouda.poi;

import java.io.File;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;

import org.apache.poi.hssf.usermodel.HSSFWorkbook;
import org.apache.poi.ss.usermodel.Cell;
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.junit.Test;

public class PoiTest01 {
	
	@Test
	public void writeTest() throws IOException{
		
		//1、创建工作簿
		Workbook workbook = new HSSFWorkbook();
		//2、创建表对象
		Sheet sheet1 = workbook.createSheet("Test1");
		Sheet sheet2 = workbook.createSheet("Test2");
		
		//3、创建单元格样式
		CellStyle cellStyle1 = workbook.createCellStyle();
		Font font1 = workbook.createFont();
		font1.setFontName("宋体");
		font1.setBold(true);
		font1.setFontHeightInPoints((short)10);
		
		CellStyle cellStyle2 = workbook.createCellStyle();
		Font font2 = workbook.createFont();
		font2.setFontName("楷体");
		font2.setBold(false);
		font2.setItalic(true);
		font2.setFontHeightInPoints((short)15);
		
		
		/**
		 * 循环创建多个单元格
		 * 设置单元格的内容和字体
		 */
		for(int i = 0;i<100;i++){
			//4、创建行对象
			Row row1 = sheet1.createRow(i);
			
			Row row2 = sheet2.createRow(i);
			
			for(int j = 0;j<100;j++){
				
				
				//5、创建单元格对象
				Cell cell1 = row1.createCell(j);
				//6、设置单元格内容
				cell1.setCellValue(i+j);
				
				Cell cell2 = row2.createCell(j);
				cell2.setCellValue(200-i-j);
				
				//7、设置单元格样式
				cellStyle1.setFont(font1);
				cell1.setCellStyle(cellStyle1);
				
				cellStyle2.setFont(font2);
				cell2.setCellStyle(cellStyle2);
				
			}
			
		}
		
		//8、输出表格
		
		File file = new File("D:/poi-excel.xls");
		if(file.exists()){
			file.delete();
		}
		
		OutputStream out = new FileOutputStream(file);	
		workbook.write(out);	
		out.close();
		
		
	}
	
	@Test
	public void readTest() throws IOException{
		
		InputStream file = new FileInputStream("D:/poi-excel.xls");
		Workbook workBook = new HSSFWorkbook(file);
		
		Sheet sheet = workBook.getSheet("Test1");
		
		/*
		 * 获取最后一行的行号
		 * 例如共100行,则最后一行行号为99
		 */
		int rowNum = sheet.getLastRowNum();
		System.out.println("RowNum:"+rowNum);
		for(int i=0;i

创建poi-excel.xls结果:

Apache POI 的简单应用_第1张图片

Apache POI 的简单应用_第2张图片


读取poi-excel.xls结果:

Apache POI 的简单应用_第3张图片


你可能感兴趣的:(Java,工具)