一、配置文件:
SpringMVC 用的是 的MultipartFile来进行文件上传 所以我们首先要配置MultipartResolver:用于处理表单中的file
<bean id="multipartResolver" class="org.springframework.web.multipart.commons.CommonsMultipartResolver">
<property name="defaultEncoding" value="UTF-8"/>
<property name="maxUploadSize" value="10485760000"></property>
<property name="maxInMemorySize" value="40960"></property>
<property name="uploadTempDir" value="fileUpload"></property>
</bean>
其中属性详解:
defaultEncoding=”UTF-8” 是请求的编码格式,默认为iso-8859-1
maxUploadSize=”5400000” 是上传文件的大小,单位为字节
uploadTempDir=”fileUpload/temp” 为上传文件的临时路径
二、创建一个简单的上传表单:
<body>
<h2>文件上传实例</h2>
<form action="${pageContext.request.contextPath}/update/fileUpdate.action"
method="post" enctype="multipart/form-data">
文件:<input type="file" name="file1">
<input type="submit" value="提交">
</form>
</body>
注意要在form标签中加上enctype=”multipart/form-data”表示该表单是要处理文件的,这是最基本的东西,很多人会忘记然而当上传出错后则去找程序的错误,却忘了这一点
三、编写上传控制类
1、创建一个控制类: FileUploadController和一个返回结果的页面list.jsp
2、编写提交表单的action。
3、使用SpringMVC注解RequestParam来指定表单中的file参数;
4、指定一个用于保存文件的web项目路径
5、通过MultipartFile的transferTo(File Xxx)这个方法来转存文件到指定的路径。
@RequestMapping("/Upload/")
@Controller
public class TestExportExcel {
@RequestMapping("fileUpload")
public ModelAndView importExcel(@RequestParam("file1") MultipartFile file,
HttpServletRequest request){
ModelAndView modelAndView = new ModelAndView();
// 判断文件是否为空
if (!file.isEmpty()) {
// 文件保存路径
String filePath = request.getSession().getServletContext().getRealPath("/") + "fileUpload/"
+ file.getOriginalFilename();
// 转存文件
try {
file.transferTo(new File(filePath));
modelAndView.setViewName("/return.jsp");
modelAndView.addObject("result", file.getOriginalFilename()+"上传成功");
} catch (Exception e) {
modelAndView.addObject("result", file.getOriginalFilename()+"上传失败");
e.printStackTrace();
}
}
return modelAndView;
}
}
WebContent下:return.jsp只有一句代码:
${result}
MultipartFile类常用的一些方法:
String getContentType()//获取文件MIME类型
InputStream getInputStream()//后去文件流
String getName() //获取表单中文件组件的名字
String getOriginalFilename() //获取上传文件的原名
long getSize() //获取文件的字节大小,单位byte
boolean isEmpty() //是否为空
void transferTo(File dest) //保存到一个目标文件中。