转自:http://dakulaliu.iteye.com/blog/236235
先让我们来看一段摘自《Spring 2.5 Reference 中文版》(http://www.redsaga.com/spring_ref/2.5/spring-reference.pdf)的一段关于FileUpload的开场描述:
"Spring支持web应用中的分段文件上传。这种支持是由即插即用的MultipartResolver来实现。这些解析器都定义在org.springframework.web.multipart包里。Sprig提供了现成的MultipartResolver可以支持Commons FileUpload(http://jakarta.apache.org/commons/fileupload)和COS FileUpload(http://www.servlets.ocm/cos)。"
是的,Spring通过配置一个分段上传解析器来完成对文件上传的解析和封装工作,那么Spring是如何完成这一工作的呢:
首先,DispatcherServlet必须找到一个文件上传解析器的实例,使用这个实例来检查本次请求的HttpServletRequest是否是一个分段文件上传的Request,通过下面的Spring 源码可以看到,首先必须保证有一个MultipartResolver的实例,并且由该类的Resolver的isMultipart方法来验证,本次Request是否为文件上传的Request.如果以上条件都满足,那么Spring将其转换为一个继承自HttpServletRequest的MultipartHttpServletRequest返回,这样在你的Controller中就可以使用这个经过转换的request,从中取到MultipartFile信息。
- protected HttpServletRequest checkMultipart(HttpServletRequest request) throws MultipartException {
- if (this.multipartResolver != null && this.multipartResolver.isMultipart(request)) {
- if (request instanceof MultipartHttpServletRequest) {
- logger.debug("Request is already a MultipartHttpServletRequest - if not in a forward, " +
- "this typically results from an additional MultipartFilter in web.xml");
- }
- else {
- return this.multipartResolver.resolveMultipart(request);
- }
- }
- // If not returned before: return original request.
- return request;
- }
由以上分析可以看出,我们必须配置一个MultipartResolver,在这里我们使用支持Commons FileUpload的CommonsMultipartResolver:
- <bean id="multipartResolver" class="org.springframework.web.multipart.commons.CommonsMultipartResolver" p:defaultEncoding="utf-8"/>
而且我们可以在该Resolver中定义文件上传的最大长度:
- <bean id="multipartResolver" class="org.springframework.web.multipart.commons.CommonsMultipartResolver" p:defaultEncoding="utf-8" p:maxUploadSize="100000"/>
当用户选择的上传文件大于maxUploadSize值的时候,commons fileupload会抛出一个异常MaxUploadSizeExceededException表示用户上传的文件超出了最大限制。
当然,我们可以通过Spring MVC中的ExceptionResolver来针对该异常定义一个显示错误的View,但针对有可能存在的多个文件上传Controller中都会发生文件大小超长这个异常的情况,除了我们自定义一个粒度更细的ExceptionResolver,我们还可以把上传文件合法性判断挪到用户自己的Controller中来做。而且我个人更偏向于后一种做法。
除了Spring Configuration之外,我们还需要准备一个页面上传的jsp文件供View视图使用:
- <%@ page language="java" contentType="text/html; charset=UTF-8"
- pageEncoding="UTF-8"%>
- <!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
- <html>
- <head>
- <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
- <title>Insert title here</title>
- </head>
- <body style="text-align:left">
- <% if(request.getAttribute("success") != null) {%>
- Upload Successfully!!!<br/>
- <% }%>
- <form id="loginform" name="loginform" method="POST" enctype="multipart/form-data">
- <table width="100%" border="0" cellspacing="0" cellpadding="0">
- <tr>
- <td height="30" align="right">Choose File</td>
- <td align="left">
- <input name="imageFile" type="file"/>
- </td>
- </tr>
- <tr>
- <td align="center" colspan="2">
- <input type="submit" value="submit" name="submit" />
- </td>
- </tr>
- </table>
- </form>
- </body>
- </html>
注意:在文件上传Form表单中,一定要将enctype设置为"multipart/form-data"因为只有这样才能使Spring知道这是一个文件上传的请求。
细心的读者也许能发现Form表单中action为默认值也就是说post到和上传页面同样的URL,因此我们定义了一个Controller分别来处理这个请求的GET和POST请求。下面让我们来看看这个Controller:
1.我们通过@Controller声明这个类为Spring组件,告知Spring容器在初始化的时候需要加载该类实例到Spring Context Container中。
2.通过@RequestMapping("/sec_upload.do")将sec_upload.do的请求指向该Controller处理。
- @Controller
- @RequestMapping("/sec_upload.do")
- public class UploadController {
- //...
- }
3.定义一个处理GET请求的方法,该方法简单的将选择文件Form表单页展现给用户:
- @RequestMapping(method = RequestMethod.GET)
- public String handleUploadShow() {
- return "uploadView";
- }
4.定义一个处理POST请求的方法,该方法进行用户文件上传处理:
- @RequestMapping(method = RequestMethod.POST)
- public String handleUploadProcess(
- @RequestParam("imageFile") MultipartFile file, Model model)
- throws Exception {
- //具体的业务逻辑操作。。。
- model.addAttribute("success", "true");
- return "uploadView";
- }
通过@RequestParam("imageFile")注解,Spring会将request请求中的imageFile的文件信息自动绑定到MultipartFile对象。
上面的Controller方法解决的文件绑定的问题,但假设我们的Form表单中除了文件选择框还有其他一些用户填写的信息,那么我们怎么处理呢?仿照上面的方法,我们可以为多个参数提供多个@RequestParam注解来完成数据绑定工作,但我们也可以通过MultipartHttpServletRequest对象来获取这些信息,因为在DispatcherServlet中Spring已经将一个普通的HttpServletRequest转换为了一个MultipartHttpServletRequest:
- @RequestMapping(method = RequestMethod.POST)
- public String handleAnotherUploadProcess(
- MultipartHttpServletRequest request, Model model) throws Exception {
- MultipartFile file = request.getFile("imageFile");
- //request.getParameter("xxx");
- //request.getContentType();
- //request.getContentLength();
- //some other processing...
- model.addAttribute("success", "true");
- return "uploadView";
- }
这种方式还是需要我们不断的通过request.getParameter("xxx")方式来获得参数,了解Spring MVC的同学可能想到了,使用CommandObject绑定-回答正确。假设我们定义了一个POJO对象:
- public class BoUploadFile {
- private MultipartFile imageFile;
- public MultipartFile getImageFile() {
- return imageFile;
- }
- public void setImageFile(MultipartFile imageFile) {
- this.imageFile = imageFile;
- }
- private String name;
- public String getName() {
- return name;
- }
- public void setName(String name) {
- this.name = name;
- }
- }
这个对象中不仅包括需要封装的上传文件信息,还包括其他一些用户输入的普通信息。那么有了这个封装对象,我们的Controller可以变成如下的样子:
- @RequestMapping(method = RequestMethod.POST)
- public String handleThirdUploadProcess(BoUploadFile uploadFile, Model model) throws Exception{
- MultipartFile file = uploadFile.getImageFile();
- //这里你可以通过uploadFile.getName()...等等获取用户输入的其他普通信息了。
- model.addAttribute("success", "true");
- return "uploadView";
- }
5.自定义一个文件验证类,来验证文件的合法性。
- /**
- * 用户文件上传验证类
- *
- * @author Jacky Lau created at 2008-8-27
- * @since 1.0
- * @version 1.0
- */
- public class MultipartFileValidator {
- private final static long MAX_SIZE = 1024 * 1024;
- /**
- * 文件大小上限
- */
- private long maxSize = MAX_SIZE;
- /**
- * 可接受的文件content-type
- */
- private String[] allowedContentTypes;
- @PostConstruct
- public void afterPropertiesSet() {
- Assert
- .notEmpty(allowedContentTypes,
- "The content types allowed to be uploaded must contain one at least!");
- }
- /**
- * 验证上传文件是否合法,如果不合法那么会抛出异常
- *
- * @param file
- * 用户上传的文件封装类
- */
- public void validate(MultipartFile file) {
- Assert.notNull(file, "The multipart file is null!");
- if (file.getSize() > maxSize)
- throw new FileOutOfMaxLengthException("error.upload.outmaxlen",
- new Object[] { maxSize },
- "The file uploaded is out of max file size!");
- if (!ArrayUtils.contains(allowedContentTypes, file.getContentType()))
- throw new ContentTypeNotSupportException("error.upload.content.notsupported", null,
- "The content type '"+file .getContentType()+"' is not a valid content type !");
- }
- /**
- * 设置文件上传大小上限
- *
- * @param maxSize
- * 文件上传大小上限
- */
- public void setMaxSize(long maxSize) {
- this.maxSize = maxSize;
- }
- /**
- * 设置可接受的文件content-type数组
- *
- * @param allowedContentTypes
- * 可接受的文件content-type数组
- */
- public void setAllowedContentTypes(String[] allowedContentTypes) {
- this.allowedContentTypes = allowedContentTypes;
- }
- }
这样我们可以通过这个validator判断上传的文件是否超出了最大限制,文件格式是否正确等判断。我们可以通过配置文件配置该验证器,在这里为了方便起见在类中我用以下方式来初始化该验证器:
- private MultipartFileValidator validator;
- @PostConstruct
- public void init() {
- validator = new MultipartFileValidator();
- validator.setAllowedContentTypes(new String[] { "image/jpeg",
- "image/pjpeg" });
- }
至此,我们已经完成了文件上传的开发,可以看出这和普通的Controller开发没有任何区别,简单而且灵活。以下是该Controller的全部代码:
- @Controller
- @RequestMapping("/sec_upload.do")
- public class UploadController {
- private MultipartFileValidator validator;
- @PostConstruct
- public void init() {
- validator = new MultipartFileValidator();
- validator.setAllowedContentTypes(new String[] { "image/jpeg",
- "image/pjpeg" });
- }
- @RequestMapping(method = RequestMethod.GET)
- public String handleUploadShow() {
- return "uploadView";
- }
- @RequestMapping(method = RequestMethod.POST)
- public String handleUploadProcess(
- @RequestParam("imageFile") MultipartFile file, Model model)
- throws Exception {
- validator.validate(file);
- String path = "d:\\temp\\ftp\\" + file.getOriginalFilename();
- String resizePath = "d:\\temp\\ftp\\resize\\"
- + file.getOriginalFilename();
- FileHelper.save(path, file.getBytes());
- if (ImageHelper.isJpg(ImageHelper.getImageType(path)))
- ImageHelper.resizeJPG(path, resizePath, 120, 118);
- model.addAttribute("success", "true");
- return "uploadView";
- }
- }
在以后的文章中,我会对Spring进行上传文件特殊处理做一些探究,比如用户上传一个csv的通讯录文件,那么通过Spring的属性编辑器一个custom的Editor来进行数据转换,可以将CSV中的信息转换成其他你所需要的信息:比如从CSV文件中抽取邮件地址放到一个字符串数组中,让你可以进行后续的业务逻辑操作。。。
本文章的第二部分:http://dakulaliu.iteye.com/blog/260122
相关推荐
5. **JSTL(JavaServer Pages Standard Tag Library)**:`jstl.jar` 和 `javax.servlet.jsp.jstl.jar` 用于在 JSP 页面中使用标准标签库,简化页面逻辑,提高开发效率。 6. **Apache Commons**:Spring MVC 开发中...
- **@RequestParam**:在Controller方法参数中使用`@RequestParam`注解接收上传的文件,例如`@RequestParam("file") MultipartFile file`。 - **验证与存储**:在处理文件上传时,通常需要验证文件大小、类型等,...
HTTP 缓存支持是关于如何在 Spring MVC 中使用 HTTP 缓存控制头,如 Cache-Control、ETag 和 Last-Modified,以及如何对静态资源进行缓存处理。控制器类名-处理器映射 ControllerClassNameHandlerMapping 是一种基于...
以下将详细阐述这些关键jar包的作用及其在Spring MVC中的重要性。 1. **spring-webmvc.jar**:这是Spring MVC的核心库,包含了处理HTTP请求、控制器注解、视图解析等核心功能。它提供了一个DispatcherServlet,它是...
《Expert Spring MVC and Web Flow》这本书还介绍了 Spring MVC 与 Spring Web Flow 的结合使用,Spring Web Flow 是一个用于构建复杂 Web 应用程序的框架,它可以处理复杂的交互式对话流程。 - **Web Flow** 提供...
这个压缩包中包含的jar包资源是构建和运行Spring MVC项目所必需的依赖库。 1. **Spring Framework**: Spring的核心框架,包括IoC(Inversion of Control,控制反转)和AOP(Aspect Oriented Programming,面向切面...
在本场景中,我们关注的是使用Maven构建的Spring MVC项目,并涉及到`commons-fileupload`和`commons-io`这两个库,它们是Java中处理文件上传的核心工具。以下是关于这个主题的详细知识点: 1. **Spring MVC**: ...
在本文中,我们将深入探讨如何使用Spring MVC框架与Ajax技术结合来实现文件上传的功能。Spring MVC是Spring框架的一部分,提供了一种模型-视图-控制器(MVC)架构模式,用于构建Web应用程序。Ajax(Asynchronous ...
当你在表单中使用`<input type="file" />`时,服务器端的Controller可以通过MultipartFile接收上传的文件。 1. **创建前端界面**: 在HTML页面中,添加一个用于选择文件的input元素,以及一个用于显示进度条的元素...
6. **dwz+jquery+fileupload+springmvc实现文件上传及图片预览**:这是更复杂的应用,结合了DWZ(一个前端框架)、jQuery的Fileupload插件和Spring MVC,实现了文件上传并提供实时图片预览的功能。 7. **springMVC+...
- 压缩包中可能包含了`commons-fileupload.jar`和`commons-io.jar`:这两个Apache Commons库提供了处理HTTP请求中文件上传的功能,Spring MVC通过它们来支持文件上传操作。 4. **日志库** - 虽然提到无需导入...
Spring MVC 是一个强大的 web 应用开发框架,它提供了丰富的功能来处理用户请求,包括文件上传和下载。本文将深入探讨如何使用 Spring MVC 实现文件的上传与下载。 首先,要实现文件上传,我们需要引入一些必要的...
在本文中,我们将深入探讨如何利用Spring MVC的`multipartResolver`与第三方库uploadify协同工作,实现图片文件的上传和预览功能。 首先,`multipartResolver`是Spring MVC用来解析multipart请求的接口。默认情况下...
- **CommonsMultipartFile**: Apache Commons FileUpload 和 Spring MVC 结合使用的类,用于处理多部分表单数据(文件上传)。 - **MultipartFile**: Spring MVC 提供的接口,用于暂时存储上传的文件信息。 - `@...
Spring MVC支持multipart文件上传,通过`MultipartResolver`接口和Apache Commons FileUpload库实现。异常处理确保了在上传过程中出现问题时的正确响应。 10. **Web安全**: Spring MVC提供了“约定优于配置”的...
在Spring MVC中,开发者可以将业务逻辑、数据处理和用户界面分离,从而实现更清晰的代码组织和更高的可测试性。为了能够使用Spring MVC,我们需要在项目的`WEB-INF/lib`目录下引入一系列的JAR包。以下是一些关键的...
Spring MVC框架提供了强大的支持来处理这类操作,它利用了Apache Commons FileUpload库来实现文件的上传功能。下面将详细介绍如何在Spring MVC环境中配置和实现文件上传。 #### 二、Spring MVC文件上传配置 为了使...
在 Spring MVC 中,开发者可以利用 Spring 提供的强大功能,如依赖注入、AOP(面向切面编程)等,来实现灵活且可扩展的 Web 应用。为了开始一个 Spring MVC 项目,我们需要一系列的 jar 包来支持框架的运行。以下是...
3. **spring-context-support.jar**:此jar包提供了对邮件服务、缓存、任务调度和消息传递(例如JMS)的支持,这些都是在Web环境中经常使用的功能。 4. **spring-beans.jar**:包含了Spring的bean容器和依赖注入...
- 在Spring MVC的Controller中,定义一个处理文件上传的@RequestMapping注解的方法。这个方法通常会接受一个MultipartFile类型的参数,Spring MVC框架会自动处理上传的文件。 - 为了处理`multipart/form-data`类型...