Spring MVC 文件上传下载

本文基于Spring MVC 注解,让Spring跑起来。

        (1) 导入jar包:ant.jar、commons-fileupload.jar、connom-io.jar。

        (2) 在src/context/dispatcher.xml中添加

    <bean id="multipartResolver"  class="org.springframework.web.multipart.commons.CommonsMultipartResolver"  p:defaultEncoding="UTF-8" />  

注意,需要在头部添加内容,添加后如下所示:

    <beans default-lazy-init="true"  xmlns="http://www.springframework.org/schema/beans"  xmlns:p="http://www.springframework.org/schema/p"  xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"  xmlns:context="http://www.springframework.org/schema/context"  xmlns:mvc="http://www.springframework.org/schema/mvc"  xsi:schemaLocation="    http://www.springframework.org/schema/beans     http://www.springframework.org/schema/beans/spring-beans-3.0.xsd    http://www.springframework.org/schema/mvc     http://www.springframework.org/schema/mvc/spring-mvc-3.0.xsd     http://www.springframework.org/schema/context    http://www.springframework.org/schema/context/spring-context-3.0.xsd">  

(3) 添加工具类FileOperateUtil.java

    /** * * @author geloin * @date 2012-5-5 下午12:05:57 */  package com.geloin.spring.util;  import java.io.BufferedInputStream;  import java.io.BufferedOutputStream;  import java.io.File;  import java.io.FileInputStream;  import java.io.FileOutputStream;  import java.text.SimpleDateFormat;  import java.util.ArrayList;  import java.util.Date;  import java.util.HashMap;  import java.util.Iterator;  import java.util.List;  import java.util.Map;  import javax.servlet.http.HttpServletRequest;  import javax.servlet.http.HttpServletResponse;  import org.apache.tools.zip.ZipEntry;  import org.apache.tools.zip.ZipOutputStream;  import org.springframework.util.FileCopyUtils;  import org.springframework.web.multipart.MultipartFile;  import org.springframework.web.multipart.MultipartHttpServletRequest;  /** *  * @author geloin * @date 2012-5-5 下午12:05:57 */  public class FileOperateUtil {  private static final String REALNAME = "realName";  private static final String STORENAME = "storeName";  private static final String SIZE = "size";  private static final String SUFFIX = "suffix";  private static final String CONTENTTYPE = "contentType";  private static final String CREATETIME = "createTime";  private static final String UPLOADDIR = "uploadDir/";  /** * 将上传的文件进行重命名 *  * @author geloin * @date 2012-3-29 下午3:39:53 * @param name * @return */  private static String rename(String name) {  Long now = Long.parseLong(new SimpleDateFormat("yyyyMMddHHmmss")  .format(new Date()));  Long random = (long) (Math.random() * now);  String fileName = now + "" + random;  if (name.indexOf(".") != -1) {  fileName += name.substring(name.lastIndexOf("."));  }  return fileName;  }  /** * 压缩后的文件名 *  * @author geloin * @date 2012-3-29 下午6:21:32 * @param name * @return */  private static String zipName(String name) {  String prefix = "";  if (name.indexOf(".") != -1) {  prefix = name.substring(0, name.lastIndexOf("."));  } else {  prefix = name;  }  return prefix + ".zip";  }  /** * 上传文件 *  * @author geloin * @date 2012-5-5 下午12:25:47 * @param request * @param params * @param values * @return * @throws Exception */  public static List<Map<String, Object>> upload(HttpServletRequest request,  String[] params, Map<String, Object[]> values) throws Exception {  List<Map<String, Object>> result = new ArrayList<Map<String, Object>>();  MultipartHttpServletRequest mRequest = (MultipartHttpServletRequest) request;  Map<String, MultipartFile> fileMap = mRequest.getFileMap();  String uploadDir = request.getSession().getServletContext()  .getRealPath("/")  + FileOperateUtil.UPLOADDIR;  File file = new File(uploadDir);  if (!file.exists()) {  file.mkdir();  }  String fileName = null;  int i = 0;  for (Iterator<Map.Entry<String, MultipartFile>> it = fileMap.entrySet()  .iterator(); it.hasNext(); i++) {  Map.Entry<String, MultipartFile> entry = it.next();  MultipartFile mFile = entry.getValue();  fileName = mFile.getOriginalFilename();  String storeName = rename(fileName);  String noZipName = uploadDir + storeName;  String zipName = zipName(noZipName);  // 上传成为压缩文件  ZipOutputStream outputStream = new ZipOutputStream(  new BufferedOutputStream(new FileOutputStream(zipName)));  outputStream.putNextEntry(new ZipEntry(fileName));  outputStream.setEncoding("GBK");  FileCopyUtils.copy(mFile.getInputStream(), outputStream);  Map<String, Object> map = new HashMap<String, Object>();  // 固定参数值对  
                map.put(FileOperateUtil.REALNAME, zipName(fileName));  map.put(FileOperateUtil.STORENAME, zipName(storeName));  map.put(FileOperateUtil.SIZE, new File(zipName).length());  map.put(FileOperateUtil.SUFFIX, "zip");  map.put(FileOperateUtil.CONTENTTYPE, "application/octet-stream");  map.put(FileOperateUtil.CREATETIME, new Date());  // 自定义参数值对  for (String param : params) {  map.put(param, values.get(param)[i]);  }  result.add(map);  }  return result;  }  /** * 下载 *  * @author geloin * @date 2012-5-5 下午12:25:39 * @param request * @param response * @param storeName * @param contentType * @param realName * @throws Exception */  public static void download(HttpServletRequest request,  HttpServletResponse response, String storeName, String contentType,  String realName) throws Exception {  response.setContentType("text/html;charset=UTF-8");  request.setCharacterEncoding("UTF-8");  BufferedInputStream bis = null;  BufferedOutputStream bos = null;  String ctxPath = request.getSession().getServletContext()  .getRealPath("/")  + FileOperateUtil.UPLOADDIR;  String downLoadPath = ctxPath + storeName;  long fileLength = new File(downLoadPath).length();  response.setContentType(contentType);  response.setHeader("Content-disposition", "attachment; filename="  + new String(realName.getBytes("utf-8"), "ISO8859-1"));  response.setHeader("Content-Length", String.valueOf(fileLength));  bis = new BufferedInputStream(new FileInputStream(downLoadPath));  bos = new BufferedOutputStream(response.getOutputStream());  byte[] buff = new byte[2048];  int bytesRead;  while (-1 != (bytesRead = bis.read(buff, 0, buff.length))) {  bos.write(buff, 0, bytesRead);  }  bis.close();  bos.close();  }  }  

可完全使用而不必改变该类,需要注意的是,该类中设定将上传后的文件放置在WebContent/uploadDir下。

        (4) 添加FileOperateController.java

    /** * * @author geloin * @date 2012-5-5 上午11:56:35 */  package com.geloin.spring.controller;  import java.util.HashMap;  import java.util.List;  import java.util.Map;  import javax.servlet.http.HttpServletRequest;  import javax.servlet.http.HttpServletResponse;  import org.springframework.stereotype.Controller;  import org.springframework.web.bind.ServletRequestUtils;  import org.springframework.web.bind.annotation.RequestMapping;  import org.springframework.web.servlet.ModelAndView;  import com.geloin.spring.util.FileOperateUtil;  /** *  * @author geloin * @date 2012-5-5 上午11:56:35 */  @Controller  @RequestMapping(value = "background/fileOperate")  public class FileOperateController {  /** * 到上传文件的位置 *  * @author geloin * @date 2012-3-29 下午4:01:31 * @return */  @RequestMapping(value = "to_upload")  public ModelAndView toUpload() {  return new ModelAndView("background/fileOperate/upload");  }  /** * 上传文件 *  * @author geloin * @date 2012-3-29 下午4:01:41 * @param request * @return * @throws Exception */  @RequestMapping(value = "upload")  public ModelAndView upload(HttpServletRequest request) throws Exception {  Map<String, Object> map = new HashMap<String, Object>();  // 别名  String[] alaises = ServletRequestUtils.getStringParameters(request,  "alais");  String[] params = new String[] { "alais" };  Map<String, Object[]> values = new HashMap<String, Object[]>();  values.put("alais", alaises);  List<Map<String, Object>> result = FileOperateUtil.upload(request,  params, values);  map.put("result", result);  return new ModelAndView("background/fileOperate/list", map);  }  /** * 下载 *  * @author geloin * @date 2012-3-29 下午5:24:14 * @param attachment * @param request * @param response * @return * @throws Exception */  @RequestMapping(value = "download")  public ModelAndView download(HttpServletRequest request,  HttpServletResponse response) throws Exception {  String storeName = "201205051340364510870879724.zip";  String realName = "Java设计模式.zip";  String contentType = "application/octet-stream";  FileOperateUtil.download(request, response, storeName, contentType,  realName);  return null;  }  }  

下载方法请自行变更,若使用数据库保存上传文件的信息时,请参考Spring MVC 整合Mybatis实例。
        (5) 添加fileOperate/upload.jsp

    <%@ page language="java" contentType="text/html; charset=UTF-8"  pageEncoding="UTF-8"%>  <%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core"%>  <!DOCTYPE html  PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">  <html>  <head>  <meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />  <title>Insert title here</title>  </head>  <body>  </body>  <form enctype="multipart/form-data"  action="<c:url value="/background/fileOperate/upload.html" />" method="post">  <input type="file" name="file1" /> <input type="text" name="alais" /><br />  <input type="file" name="file2" /> <input type="text" name="alais" /><br />  <input type="file" name="file3" /> <input type="text" name="alais" /><br />  <input type="submit" value="上传" />  </form>  </html>  

确保enctype的值为multipart/form-data;method的值为post。        

(6) 添加fileOperate/list.jsp

    <%@ page language="java" contentType="text/html; charset=UTF-8"  pageEncoding="UTF-8"%>  <%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core"%>  <!DOCTYPE html  PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">  <html>  <head>  <meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />  <title>Insert title here</title>  </head>  <body>  <c:forEach items="${result }" var="item">  <c:forEach items="${item }" var="m">  <c:if test="${m.key eq 'realName' }">  ${m.value }  </c:if>  <br />  </c:forEach>  </c:forEach>  </body>  </html>  

(7) 通过http://localhost:8080/spring_test/background/fileOperate /to_upload.html访问上传页面,通过http://localhost:8080/spring_test/background /fileOperate/download.html下载文件

转载于:https://www.cnblogs.com/plf112233/p/3637905.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/376029.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

.php y=mp4,PHP输出MP4视频流函数

function GetMp4File($file) {$size filesize($file);header(“Content-type: video/mp4”);header(“Accept-Ranges: bytes”);if(isset($_SERVER[‘HTTP_RANGE’])){header(“HTTP/1.1 206 Partial Content”);list($name, $range) explode(“”, $_SERVER[‘HTTP_RANGE’]…

JMeter学习(四)参数化、断言、集合点

1.参数化 录制脚本中有登录操作&#xff0c;需要输入用户名和密码&#xff0c;假如系统不允许相同的用户名和密码同时登录&#xff0c;或者想更好的模拟多个用户来登录系统。 这个时候就需要对用户名和密码进行参数化&#xff0c;使每个虚拟用户都使用不同的用户名和密码进行访…

Windows在安装builtwith时遇到问题

builtwith是一个十分有用的工具&#xff0c;可以用来检查网站构建的技术类型。但是我在安装这个包的时候出现了问题百度之后发现是编码的问题&#xff0c;应将编码格式设置为gbk具体过程就是&#xff1a;首先要找到Python路径下的Lib文件夹的mimetypes.py文件。然后在import下面…

php class使用方法,php的类使用方法问题

php的类使用方法&#xff1a;1、类通过class关键字来定义&#xff1b;2、访问对象的时候&#xff0c;属性名前不要加【$】&#xff1b;3、通过【->】访问修改类内成员变量&#xff1b;4、函数的返回值通过return来返回。php的类使用方法&#xff1a;1.语法说明和其他语言一样…

Linux抓包

tcpdump -i eth1 -nn dst host 172.31.0.42 -w /tmp/temp.cap 监听指定的主机 $ tcpdump -i eth0 -nn host 192.168.1.231 这样的话&#xff0c;192.168.1.231这台主机接收到的包和发送的包都会被抓取。 $ tcpdump -i eth0 -nn src host 192.168.1.231 这样只有192.168.1.231这…

汇编语言中各种声明

参考链接&#xff1a;http://zhidao.baidu.com/link?urlQZiRv_6nAzF1XHOG83SwngS1HoRZXWSP2a0uQEHVDON1rP1a07xlXCiYUXd0ORQP32h_7Nhfd-afCMox8q8McK 本文仅是为了自己学习方便而已&#xff0c;勿喷。 DATAS SEGMENT;定义数据段 BUF0 DB 1;定义一个字节型变量&#xff0c;名…

linux awk数组相关操作介绍

用awk进行文本处理&#xff0c;少不了就是它的数组处理。那么awk数组有那些特点&#xff0c;一般常见运算又会怎么样呢。我们先看下以下的一些介绍&#xff0c;结合样例我们会解说下它的不同之处。在 awk 中数组叫做关联数组(associative arrays)&#xff0c;由于下标记能够是数…

java求最优解库,IPOPT在第二次求解时找到最优解

通常当我尝试使用IPOPT解决问题时&#xff0c;即使问题不可行&#xff0c;IPOPT也会显示运行过程&#xff0c;例如显示问题有多少约束以及问题的其他一般信息&#xff0c;但这次我遇到了一个奇怪的问题 . 我第一次解决它没有显示的问题&#xff0c;但第二次解决它&#xff0c;I…

ODAC(V9.5.15) 学习笔记(四)TCustomDADataSet(2)

2.连接相关 名称 类型 说明 Connection 指向一个数据库连接对象 Disconnected 设置为True将在数据库关闭后继续保持数据集的开启状态。 3. 数据获取 名称 类型 说明 FetchRows Integer 从数据库服务器获取一次性获取数据记录的条数&#xff0c;缺省25条。 Is…

详解汇编语言中乘法指令:MUL、IMUL

本文参考了马维华老师的《微机原理与接口技术》一书 指令格式&#xff1a; MUL REG/MEM &#xff1b;REG寄存器&#xff0c;MEM存储器 IMUL REG/MEM MUL和IMUL指令分别用于实现无符号数的乘法和有符号数的乘法运算。都只有一个源操作数&#xff0c;可以使寄存器或存储…

Android Resource介绍和使用

1. 相关文件夹介绍 在Android项目文件夹里面&#xff0c;主要的资源文件是放在res文件夹里面的。assets文件夹是存放不进行编译加工的原生文件&#xff0c;即该文件夹里面的文件不会像xml&#xff0c;java文件被预编译&#xff0c;可以存放一些图片&#xff0c;html&#xff0c…

mysql.sock 111,错误2002(HY000):无法通过套接字’/var/run/mysqld/mysqld.sock’连接到本地MySQL服务器(111)...

在Ubuntu计算机上获取关于问题“ mysql”命令的错误&#xff1a;错误2002(HY000)&#xff1a;无法通过套接字’/var/run/mysqld/mysqld.sock’连接到本地MySQL服务器(111)服务未以以下错误启动&#xff1a;rootbettorssidekick:/# service mysql startstart: Job failed to sta…

c语言中的break和continue

break和continue是C语言中的两条语句&#xff0c;这两条语句在循环和选择结构中经常会遇到。 break首先最长见与switch语句中。比如我们设计一个程序&#xff0c;通过输入学生的成绩来确定学生成绩等级&#xff0c;等级一共分为四等&#xff0c;分别是优秀、良好、一般、较差&a…

构建ASP.NET MVC4+EF5+EasyUI+Unity2.x注入的后台管理系统(44)-工作流设计-设计表单...

构建ASP.NET MVC4EF5EasyUIUnity2.x注入的后台管理系统&#xff08;44&#xff09;-工作流设计-设计表单 原文:构建ASP.NET MVC4EF5EasyUIUnity2.x注入的后台管理系统&#xff08;44&#xff09;-工作流设计-设计表单系列目录 设计表单是比较复杂的一步&#xff0c;完成一个表单…

汇编语言中变量的声明

参考链接为&#xff1a;http://zhidao.baidu.com/link?urlQZiRv_6nAzF1XHOG83SwngS1HoRZXWSP2a0uQEHVDON1rP1a07xlXCiYUXd0ORQP32h_7Nhfd-afCMox8q8McKDATAS SEGMENT;定义数据段BUF0 DB 1;定义一个字节型变量&#xff0c;名称是BUF0&#xff0c;初始值是01HBUF1 DB "2&qu…

php标签嵌入规范,HTML标签嵌套的详细规则

这次给大家带来HTML标签嵌套的详细规则&#xff0c;HTML标签嵌套的注意事项有哪些&#xff0c;下面就是实战案例&#xff0c;一起来看一下。最近在重新学习HTML的知识&#xff0c;算是对HTML的一个重新认识吧&#xff01;别小看了这东西&#xff0c;一切的网页可都是以它为基础…

6、动态方法调用和使用通配符定义

action名称后面:!方法名即可;使用通配符:12345678910111213<?xml version"1.0" encoding"UTF-8" ?><!DOCTYPE struts PUBLIC"-//Apache Software Foundation//DTD Struts Configuration 2.0//EN""http://struts.apache.org/dtds…

Sql 函数大全 (更新中...由难到简

1.字符处理类&#xff1a; 1.1 指定指定字符输出的次数 select replicate(1a,5) 结果&#xff1a;1a1a1a1a1a &#xff08;5个1a&#xff09;转载于:https://www.cnblogs.com/shengwei/p/4479662.html

C错误处理

本文为个人学习笔记&#xff0c;仅用于个人学习、复习使用&#xff01;c语言不提供对错误处理的直接支持&#xff0c;但是作为一种系统编程语言&#xff0c;它以返回值得形式允许您访问底层数据&#xff0c;在发生错误时&#xff0c;大多数的c或Unix函数调用返回1或NULL&#x…

存储过程——存储过程与视图(三)

数据库视图&#xff1a;视图是虚表&#xff0c;是从一个或几个基本表&#xff08;或视图&#xff09;中导出的表&#xff0c;在系统的数据字典中仅存放了视图的定义&#xff0c;不存放视图对应的数据。 在sql中视图是基于sql语句的结果集的可视化的表&#xff1b;视图包含行和列…