SpringMVC_文件上传

文件上传是web项目开发中经常用到的功能,例如:用户头像。

        文件上传对表单的要求:

                ①  method=”POST”

                ②  enctype=”multipart/form-data”

                ③  表单中需要添加文件表单项:

               一旦设置了enctype=”multipart/form-data”,浏览器会采用二进制流的方式来处理表单数据。

        Servlet3.0规范已经提供了方法来处理上传文件,但这种上传需要在Servlet中完成,SpringMVC则为文件上传提供了直接的支持,这种支持是用即插即用的MultipartResolver实现的。SpringMVC使用Apache Commons FileUpload组件实现了一个MultipartResolver实现类:CommonsMultipartResolver,因此SpringMVC的文件上传还需要依赖ApacheCommons FileUpload的组件。

SpringMVC_文件上传_第1张图片

Eg:SpringMVC的文件上传:

1. 文件上传页面uploadForm.jsp:


	

测试文件上传...

<%--上传文件,enctype必须为multipart/form-data,method必须为post --%>
选择文件
文件描述:

2.  FileUploadController:

//动态跳转页面
@RequestMapping(value = "/{formName}")
public String first(@PathVariable String formName) {
	return formName;
}
//文件上传
@RequestMapping(value = "/upload", method = RequestMethod.POST)
	public String upload(HttpServletRequest request, String description,
			MultipartFile file) throws Exception {
		System.out.println("文件描述:" + description);
		//如果文件不为空,写入上传路径
		if (!file.isEmpty()) {
			//上传文件路径
			String path = request.getSession().getServletContext()
					.getRealPath("/images/");
			//上传文件名:
			String fileName = file.getOriginalFilename();//获取上传文件的原始文件名
			File filePath = new File(path, fileName);
			//判断路径是否存在,如果不存在就创建
			if (!filePath.exists()) {
				filePath.getParentFile().mkdirs();
			}
			//将上传的文件保存到一个目标文件
			file.transferTo(new File(path + File.separator + fileName));
			return "success";
		} else {
			return "error";
		}
	}

       SpringMVC会将上传的文件绑定到MultipartFile对象中,MultipartFile提供了如下几个常用方法(可参照SpringMVC的API帮助文档):

  • byte[] getBytes()

                 Return the contents of the file as an array of bytes.

  • String getContentType()

                 Return the content type of the file.

  • InputStream getInputStream()

                 Return an InputStream to read the contents ofthe file from.

  • String getName()

                 Return the name of the parameter in themultipart form.

  • String getOriginalFilename()

                 Return the original filename in the client'sfilesystem.

  • long getSize()

                 Return the size of the file in bytes.

  • boolean isEmpty()

                 Return whether the uploaded file is empty,that is, either no file has been chosen in the multipart form or the chosenfile has no content.

  • void transferTo(File dest

                 Transfer the received file to the givendestination file.

3. SringMVC配置文件(springmvc.xml)的配置:


	
		
		
			10485760
		
		
		
			utf-8
		
	

4. 结果:

在浏览器中输入:http://localhost:8080/SpringMVC_fileUpload/uploadForm

SpringMVC_文件上传_第2张图片

会看到磁盘中确实出现了上传的图片:

SpringMVC_文件上传_第3张图片




你可能感兴趣的:(javaEE,SpringMVC,文件上传,fileUpload,javaEE)