1. 程式人生 > >SpringMvc+POI 處理Excel的匯入操作

SpringMvc+POI 處理Excel的匯入操作

說明

POI可以對2003-和2007+版本的Excel檔案做匯入匯出操作,本章只簡單介紹對Excel檔案的匯入操作。

       Excel檔案的上傳處理處理請求,依然使用SpringMvc中的MultipartRequest方式處理。

       前端JSP中使用傳統form表單提交方式和Juery.form.js外掛提供的非同步表單請求方式,分別對這兩種方式進行介紹。

環境

JDK7+ Tomcat7.x + Spring4.1.8

說明

ImportExcelUtil.java:Excel解析工具類

UploadExcelControl.java :處理來自頁面的請求控制器

InfoVo.java :將Excel轉換為物件儲存

main.jsp:前端訪問頁

........

ImportExcelUtil.java(Excel解析工具類)

package com.poiexcel.util;

import java.io.IOException;
import java.io.InputStream;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.List;

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


public class ImportExcelUtil {
	
	private final static String excel2003L =".xls";    //2003- 版本的excel
	private final static String excel2007U =".xlsx";   //2007+ 版本的excel
	
	/**
	 * 描述:獲取IO流中的資料,組裝成List<List<Object>>物件
	 * @param in,fileName
	 * @return
	 * @throws IOException 
	 */
	public  List<List<Object>> getBankListByExcel(InputStream in,String fileName) throws Exception{
		List<List<Object>> list = null;
		
		//建立Excel工作薄
		Workbook work = this.getWorkbook(in,fileName);
		if(null == work){
			throw new Exception("建立Excel工作薄為空!");
		}
		Sheet sheet = null;
		Row row = null;
		Cell cell = null;
		
		list = new ArrayList<List<Object>>();
		//遍歷Excel中所有的sheet
		for (int i = 0; i < work.getNumberOfSheets(); i++) {
			sheet = work.getSheetAt(i);
			if(sheet==null){continue;}
			
			//遍歷當前sheet中的所有行
			for (int j = sheet.getFirstRowNum(); j < sheet.getLastRowNum(); j++) {
				row = sheet.getRow(j);
				if(row==null||row.getFirstCellNum()==j){continue;}
				
				//遍歷所有的列
				List<Object> li = new ArrayList<Object>();
				for (int y = row.getFirstCellNum(); y < row.getLastCellNum(); y++) {
					cell = row.getCell(y);
					li.add(this.getCellValue(cell));
				}
				list.add(li);
			}
		}
		work.close();
		return list;
	}
	
	/**
	 * 描述:根據檔案字尾,自適應上傳檔案的版本 
	 * @param inStr,fileName
	 * @return
	 * @throws Exception
	 */
	public  Workbook getWorkbook(InputStream inStr,String fileName) throws Exception{
		Workbook wb = null;
		String fileType = fileName.substring(fileName.lastIndexOf("."));
		if(excel2003L.equals(fileType)){
			wb = new HSSFWorkbook(inStr);  //2003-
		}else if(excel2007U.equals(fileType)){
			wb = new XSSFWorkbook(inStr);  //2007+
		}else{
			throw new Exception("解析的檔案格式有誤!");
		}
		return wb;
	}

	/**
	 * 描述:對錶格中數值進行格式化
	 * @param cell
	 * @return
	 */
	public  Object getCellValue(Cell cell){
		Object value = null;
		DecimalFormat df = new DecimalFormat("0");  //格式化number String字元
		SimpleDateFormat sdf = new SimpleDateFormat("yyy-MM-dd");  //日期格式化
		DecimalFormat df2 = new DecimalFormat("0.00");  //格式化數字
		
		switch (cell.getCellType()) {
		case Cell.CELL_TYPE_STRING:
			value = cell.getRichStringCellValue().getString();
			break;
		case Cell.CELL_TYPE_NUMERIC:
			if("General".equals(cell.getCellStyle().getDataFormatString())){
				value = df.format(cell.getNumericCellValue());
			}else if("m/d/yy".equals(cell.getCellStyle().getDataFormatString())){
				value = sdf.format(cell.getDateCellValue());
			}else{
				value = df2.format(cell.getNumericCellValue());
			}
			break;
		case Cell.CELL_TYPE_BOOLEAN:
			value = cell.getBooleanCellValue();
			break;
		case Cell.CELL_TYPE_BLANK:
			value = "";
			break;
		default:
			break;
		}
		return value;
	}
	

}


UploadExcelControl.java (Spring控制器)

package com.poiexcel.control;

import java.io.InputStream;
import java.io.PrintWriter;
import java.util.List;

import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;

import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.multipart.MultipartFile;
import org.springframework.web.multipart.MultipartHttpServletRequest;

import com.poiexcel.util.ImportExcelUtil;
import com.poiexcel.vo.InfoVo;

@Controller
@RequestMapping("/uploadExcel/*")  
public class UploadExcelControl {
	
	/**
	 * 描述:通過傳統方式form表單提交方式匯入excel檔案
	 * @param request
	 * @throws Exception
	 */
	@RequestMapping(value="upload.do",method={RequestMethod.GET,RequestMethod.POST})
	public  String  uploadExcel(HttpServletRequest request) throws Exception {
		MultipartHttpServletRequest multipartRequest = (MultipartHttpServletRequest) request;  
		System.out.println("通過傳統方式form表單提交方式匯入excel檔案!");
		
		InputStream in =null;
		List<List<Object>> listob = null;
		MultipartFile file = multipartRequest.getFile("upfile");
		if(file.isEmpty()){
			throw new Exception("檔案不存在!");
		}
 		in = file.getInputStream();
		listob = new ImportExcelUtil().getBankListByExcel(in,file.getOriginalFilename());
		in.close();
		
		//該處可呼叫service相應方法進行資料儲存到資料庫中,現只對資料輸出
		for (int i = 0; i < listob.size(); i++) {
			List<Object> lo = listob.get(i);
			InfoVo vo = new InfoVo();
			vo.setCode(String.valueOf(lo.get(0)));
			vo.setName(String.valueOf(lo.get(1)));
			vo.setDate(String.valueOf(lo.get(2)));
			vo.setMoney(String.valueOf(lo.get(3)));
			
			System.out.println("列印資訊-->機構:"+vo.getCode()+"  名稱:"+vo.getName()+"   時間:"+vo.getDate()+"   資產:"+vo.getMoney());
		}
		return "result";
	}
	
	/**
	 * 描述:通過 jquery.form.js 外掛提供的ajax方式上傳檔案
	 * @param request
	 * @param response
	 * @throws Exception
	 */
	@ResponseBody
	@RequestMapping(value="ajaxUpload.do",method={RequestMethod.GET,RequestMethod.POST})
	public  void  ajaxUploadExcel(HttpServletRequest request,HttpServletResponse response) throws Exception {
		MultipartHttpServletRequest multipartRequest = (MultipartHttpServletRequest) request;  
		
		System.out.println("通過 jquery.form.js 提供的ajax方式上傳檔案!");
		
		InputStream in =null;
		List<List<Object>> listob = null;
		MultipartFile file = multipartRequest.getFile("upfile");
		if(file.isEmpty()){
			throw new Exception("檔案不存在!");
		}
		
 		in = file.getInputStream();
		listob = new ImportExcelUtil().getBankListByExcel(in,file.getOriginalFilename());
		
		//該處可呼叫service相應方法進行資料儲存到資料庫中,現只對資料輸出
		for (int i = 0; i < listob.size(); i++) {
			List<Object> lo = listob.get(i);
			InfoVo vo = new InfoVo();
			vo.setCode(String.valueOf(lo.get(0)));
			vo.setName(String.valueOf(lo.get(1)));
			vo.setDate(String.valueOf(lo.get(2))); 
			vo.setMoney(String.valueOf(lo.get(3)));
			
			System.out.println("列印資訊-->機構:"+vo.getCode()+"  名稱:"+vo.getName()+"   時間:"+vo.getDate()+"   資產:"+vo.getMoney());
		}
		
		PrintWriter out = null;
		response.setCharacterEncoding("utf-8");  //防止ajax接受到的中文資訊亂碼
		out = response.getWriter();
		out.print("檔案匯入成功!");
		out.flush();
		out.close();
	}


}


InfoVo.java(儲存Excel資料對應的物件)
package com.poiexcel.vo;


//將Excel每一行數值轉換為物件
public class InfoVo {
	
	private String code;
	private String name;
	private String date;
	private String money;
	
	public String getCode() {
		return code;
	}
	public void setCode(String code) {
		this.code = code;
	}
	public String getName() {
		return name;
	}
	public void setName(String name) {
		this.name = name;
	}
	public String getDate() {
		return date;
	}
	public void setDate(String date) {
		this.date = date;
	}
	public String getMoney() {
		return money;
	}
	public void setMoney(String money) {
		this.money = money;
	}
}

main.jsp(前端程式碼)
<%@ page language="java" import="java.util.*" pageEncoding="utf-8"%>
<%
String path = request.getContextPath();
String basePath = request.getScheme()+"://"+request.getServerName()+":"+request.getServerPort()+path+"/";
%>
<html>
  <head>
    <base href="<%=basePath%>">
    <script type="text/javascript" src="js/jquery-2.1.4.min.js"></script>
    <script type="text/javascript" src="js/jquery.form.js"></script> 
    <title>My JSP 'index.jsp' starting page</title>
    <script type="text/javascript">
    		//ajax 方式上傳檔案操作
			 $(document).ready(function(){
        		$('#btn').click(function(){
            		if(checkData()){
            			$('#form1').ajaxSubmit({  
            				url:'uploadExcel/ajaxUpload.do',
            				dataType: 'text',
            				success: resutlMsg,
            				error: errorMsg
            			}); 
            			function resutlMsg(msg){
  							alert(msg);   
  							$("#upfile").val("");
  						}
   						function errorMsg(){ 
   							alert("匯入excel出錯!");    
   						}
            		}
        		});
    	     });
    	     
    	     //JS校驗form表單資訊
    	     function checkData(){
    	     	var fileDir = $("#upfile").val();
    	     	var suffix = fileDir.substr(fileDir.lastIndexOf("."));
    	     	if("" == fileDir){
    	     		alert("選擇需要匯入的Excel檔案!");
    	     		return false;
    	     	}
    	     	if(".xls" != suffix && ".xlsx" != suffix ){
    	     		alert("選擇Excel格式的檔案匯入!");
    	     		return false;
    	     	}
    	     	return true;
    	     }
    </script> 
  </head>
  
  <body>
  <div>1.通過簡單的form表單提交方式,進行檔案的上</br> 2.通過jquery.form.js外掛提供的form表單一步提交功能 </div></br>
  	<form method="POST"  enctype="multipart/form-data" id="form1" action="uploadExcel/upload.do">
 	 	<table>
 	 	 <tr>
 	 	 	<td>上傳檔案: </td>
 	 	 	<td> <input id="upfile" type="file" name="upfile"></td>
 	 	 </tr>
  		<tr>
 	 	 	<td><input type="submit" value="提交" onclick="return checkData()"></td>
 	 	 	<td><input type="button" value="ajax方式提交" id="btn" name="btn" ></td>
 	 	 </tr>
  		</table>	
	</form>
	
  </body>
</html>


web.xml
<?xml version="1.0" encoding="UTF-8"?>
<web-app version="3.0" 
	xmlns="http://java.sun.com/xml/ns/javaee" 
	xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 
	xsi:schemaLocation="http://java.sun.com/xml/ns/javaee 
	http://java.sun.com/xml/ns/javaee/web-app_3_0.xsd ">

	  <!-- 載入Spring容器監聽 -->
	  <listener>    
	        <listener-class>org.springframework.web.context.ContextLoaderListener</listener-class>
	  </listener>
	  
	  <!-- 設定Spring容器載入配置檔案路徑 -->
	  <context-param>    
	      <param-name>contextConfigLocation</param-name>    
	      <param-value>WEB-INF/application/applicationContext-*.xml</param-value>
	  </context-param>
	  
	  <!--配置Springmvc核心控制器-->
	  <servlet>          
	        <servlet-name>springmvc</servlet-name>         
	        <servlet-class>org.springframework.web.servlet.DispatcherServlet</servlet-class>
	        <load-on-startup>1</load-on-startup>
	  </servlet>    
	  <!--為DispatcherServlet建立對映 -->      
	  <servlet-mapping>  
	        <servlet-name>springmvc</servlet-name>      
	        <url-pattern>*.do</url-pattern>    
	  </servlet-mapping> 
    <welcome-file-list>
    	<welcome-file>main.jsp</welcome-file>
    </welcome-file-list>  
</web-app>


springmvc-servlet.xml(只做簡單配置)
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"  
	 xmlns:context="http://www.springframework.org/schema/context"
	 xmlns:mvc="http://www.springframework.org/schema/mvc"  
	 xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 
	 xmlns:tx="http://www.springframework.org/schema/tx" 
	 xsi:schemaLocation="
	 	  http://www.springframework.org/schema/beans     
          http://www.springframework.org/schema/beans/spring-beans-4.1.xsd
          http://www.springframework.org/schema/context
          http://www.springframework.org/schema/context/spring-context-4.1.xsd
          http://www.springframework.org/schema/mvc
          http://www.springframework.org/schema/mvc/spring-mvc-4.1.xsd
          http://www.springframework.org/schema/tx     
          http://www.springframework.org/schema/tx/spring-tx-4.1.xsd   
          http://www.springframework.org/schema/context     
          http://www.springframework.org/schema/beans/spring-beans-4.1.xsd ">
	 
	 <!-- 啟動註解驅動-->  
	 <mvc:annotation-driven/>  
     <!-- 啟動包掃描功能-->  
     <context:component-scan base-package="com.poiexcel.*" />  
     
</beans>  


applicationContext-base.xml

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"  
	 xmlns:context="http://www.springframework.org/schema/context"
	 xmlns:mvc="http://www.springframework.org/schema/mvc"  
	 xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 
	 xmlns:tx="http://www.springframework.org/schema/tx" 
	 xsi:schemaLocation="
	 	  http://www.springframework.org/schema/beans     
          http://www.springframework.org/schema/beans/spring-beans-4.1.xsd 
          http://www.springframework.org/schema/context
          http://www.springframework.org/schema/context/spring-context-4.1.xsd 
          http://www.springframework.org/schema/mvc
          http://www.springframework.org/schema/mvc/spring-mvc-4.1.xsd
          http://www.springframework.org/schema/tx     
          http://www.springframework.org/schema/tx/spring-tx-4.1.xsd    
          http://www.springframework.org/schema/context     
          http://www.springframework.org/schema/context/spring-context-4.1.xsd ">
          
     <!-- 檢視解釋類 -->  
     <bean class="org.springframework.web.servlet.view.InternalResourceViewResolver">
      <property name="prefix" value="/WEB-INF/jsp/" />
      <property name="suffix" value=".jsp" />
     </bean>
          
    <!-- SpringMVC上傳檔案時,需要配置MultipartResolver處理器 -->
	<bean id="multipartResolver" class="org.springframework.web.multipart.commons.CommonsMultipartResolver">
		<property name="defaultEncoding" value="utf-8" />
		<!-- 指定所上傳檔案的總大小不能超過10485760000B。注意maxUploadSize屬性的限制不是針對單個檔案,而是所有檔案的容量之和 -->
		<property name="maxUploadSize" value="10485760000" />
		<property name="maxInMemorySize" value="40960" />
	</bean>
          
</beans>          

效果


後臺列印資訊


相關推薦

SpringMvc+POI 處理Excel匯入操作

說明 POI可以對2003-和2007+版本的Excel檔案做匯入匯出操作,本章只簡單介紹對Excel檔案的匯入操作。        Excel檔案的上傳處理處理請求,依然使用SpringMvc中的MultipartRequest方式處理。        前端JSP中使用傳

SpringMvc+POI 處理Excel匯入操作需要的所有環境

本人用的是JDK8+spring4.28+tomcat8.0 以上是jar包 以上是結構 需要改的地方:第一處: for (int j = sheet.getFirstRowNum(); j <sheet.getLastRowNum()+1; j++) 第

SpringMvc+POI 處理Excel的匯出操作

匯出工具類 import java.io.IOException; import java.io.OutputStream; import java.lang.reflect.Field; import java.net.URLEncoder; imp

POI處理Excel中各種日期格式問題

前不久寫過一篇隨筆《EXCEL解析之終極方法WorkbookFactory》,提到使用WorkbookFactory來處理Excel檔案資料,最近發現一個問題就是這個辦法不能很好的處理各種日期格式,比如下面這些: 那麼如何將這些格式正確識別並輸出呢?下面來分享一下解決方法。 其實答案已

Excel匯入操作

在專案開發的過程中,我們經常會用到excel 表格的匯入匯出,剛解決難免會遇到很多問題,我們使用的是J-Excel 封裝好的工具,下面就總結一下具體的操作流程. 一:pom.xml中新增依賴 (1)對於SSM 的專案需要在api的POM檔案中加入對J-Excel的依賴 <d

Spring使用POI實現Excel匯入匯出

Apache POI 是建立和維護操作各種符合Office Open XML(OOXML)標準和微軟的OLE 2複合文件格式(OLE2)的Java API。用它可以使用Java讀取和建立,修改MS Excel檔案.而且,還可以使用Java讀取和建立MS Word和MSPowerPoint檔案。Ap

POI 實現excel匯入

POI 實現excel匯入 標籤(空格分隔): POI excel匯入時excel匯出的逆向過程,使用相同的類和方法來實現,具體的例子為: package com.excel.poi; import java.io.File; import java.io.IOExce

Java使用Apache的poi實現Excel匯入(日常總結)

書接上文 poi實現Excel匯入 @Override public List<Student> importExcelStudent(String xlsPath) throws IOException { List<Student>

Excel轉Html(十一)--POI處理Excel-獲取sheet總行數-總列數-行高-列高

獲取sheet行總數:sheet.getLastRowNum() 列總數:dataMap.get("maxColNum-" + form.getFormName() 獲取列最多的行,特別注意:sheet.getRow(0).getPhysicalNumberOfCells()不準確 行高:r

POI實現Excel匯入匯出(轉)

利用idea建立java web的maven專案,在pom中新增對poi的jar的依賴。 <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/200

Python處理excel基本操作

   近期因為工作需要,用Python處理excel表格資料,其中常用的命令如下: #!/usr/bin/env python # -*- coding: utf-8 -*- # @Author : Peidong # @Site : # @File :

Springboot/SpringMVC+POI 實現Excel匯出功能(點選下載方式實現)

@RequestMapping("/download") public void downstudents(HttpServletRequest request, HttpServletResponse response,@RequestParam String startTime, @Reques

依賴POI實現EXCEL匯入資料並生成javaBean和EXCEL根據資料庫表匯出

首先是excel匯入匯出的工具類程式碼 public class ExportExcel { // 測試123 private ExportExcel() { } /*** * 工作簿 */

使用POI進行Excel匯入時解決的一些問題

最近在用POI做Excel匯入,用了公司的共通,本以為應該很順利,但是在實際使用過程中遇到了不少為題。這裡做一下總結。 一.大檔案匯入 POI在匯入資料的資料量很大的時候會有問題,Excel壓根就讀不進來。 網站上查了一下,需要將Excel轉換成CSV後匯入。 將匯入方法稍

Spring Boot學習筆記----POIExcel匯入匯出)

Apache POI是Apache軟體基金會的開放原始碼函式庫,POI提供API給Java程式對Microsoft Office格式檔案讀和寫的功能。本文僅用來記錄Excel的部分。畢竟,Excel的匯入匯出,是後臺資料庫常用的方法。 Excel共有兩種格式:

使用poi實現Excel匯入功能,資料庫基於oracle(下)

上次我們說了匯入的service以及controller,jsp的一些程式碼的實現,這回趁著有時間,把最後的匯入Util類實現給大家。 1、util類:ReadExcel.java public class ReadExcel { //總行

java利用POI實現Excel匯入匯出詳解-支援97-2013版本以及2017版本

package com.kero99.ygc.excel; import java.io.File; import java.io.FileOutputStream; import java.io.IOException; import org.apache.

Java處理excel匯入資料庫日期格式的處理(24時制變為12時制問題的處理

最近做excel匯入時碰到一個時間時制的問題 excel文件裡是24時制的,結果匯入到資料庫發現是12時制的,最後在360doc上找到了解決問題,這裡是記錄下自己的理解和處理方法。 首先:文件裡的時間格式 匯入到資料庫的格式 Java程式碼實現之前請確保匯入了jxl.

POIEXCEL操作【重點:如何設定CELL格式為文字格式】

轉載至:http://javacrazyer.iteye.com/blog/894758 實際開發過程中通常用到的就是從資料庫匯出EXCEL表格了,JXL可以這樣做,其實POI也可以(關於JXL與POI的異同可訪問我之前總結的文章),之前寫過POI對七種文件(當然也

POI 實現Excel匯入資料庫

POI實現Excel匯入資料庫資料 首先看一下我們匯入的資料Excel中的資料格式是什麼   上面是我們的一個數據匯入時的模板資訊,我們需要按照這樣過的格式匯入資料庫資料。 針對這樣的資料格式可以通過ReadExcelUtils的工具類去讀取到 ReadExcel