Spring MVC 實現圖片上傳功能
阿新 • • 發佈:2019-02-09
Spring MVC 實現圖片上傳
使用者必須能夠上傳圖片,因此需要檔案上傳的功能。比較常見的檔案上傳元件有Commons FileUpload(http://jakarta.apache.org/commons/fileupload/a>)和COS FileUpload(http://www.servlets.com/cos),Spring已經完全集成了這兩種元件,這裡我們選擇Commons FileUpload。
由於Post一個包含檔案上傳的Form會以multipart/form-data請求傳送給伺服器,必須明確告訴DispatcherServlet如何處理MultipartRequest。首先在dispatcher-servlet.xml中宣告一個MultipartResolver:
- <beanid="multipartResolver"
- class="org.springframework.web.multipart.commons.CommonsMultipartResolver">
- <!-- 設定上傳檔案的最大尺寸為1MB -->
- <propertyname="maxUploadSize">
- <value>1048576</value>
- </property>
- </bean>
這樣一旦某個Request是一個MultipartRequest,它就會首先被MultipartResolver處理,然後再轉發相應的Controller。
在UploadImageController中,將HttpServletRequest轉型為MultipartHttpServletRequest,就能非常方便地得到檔名和檔案內容:
- public ModelAndView handleRequest(HttpServletRequest request,
- HttpServletResponse response) throws Exception {
- // 轉型為MultipartHttpRequest:
- MultipartHttpServletRequest multipartRequest = (MultipartHttpServletRequest) request;
- // 獲得檔案:
- MultipartFile file = multipartRequest.getFile(
- // 獲得檔名:
- String filename = file.getOriginalFilename();
- // 獲得輸入流:
- InputStream input = file.getInputStream();
- // 寫入檔案
- // 或者:
- File source = new File(localfileName.toString());
- multipartFile.transferTo(source);
- }
生成縮圖 (目錄)
當用戶上傳了圖片後,必須生成縮圖以便使用者能快速瀏覽。我們不需藉助第三方軟體,JDK標準庫就包含了影象處理的API。我們把一張圖片按比例縮放到120X120大小,以下是關鍵程式碼:
- publicstaticvoid createPreviewImage(String srcFile, String destFile) {
- try {
- File fi = new File(srcFile); // src
- File fo = new File(destFile); // dest
- BufferedImage bis = ImageIO.read(fi);
- int w = bis.getWidth();
- int h = bis.getHeight();
- double scale = (double) w / h;
- int nw = IMAGE_SIZE; // final int IMAGE_SIZE = 120;
- int nh = (nw * h) / w;
- if (nh > IMAGE_SIZE) {
- nh = IMAGE_SIZE;
- nw = (nh * w) / h;
- }
- double sx = (double) nw / w;
- double sy = (double) nh / h;
- transform.setToScale(sx, sy);
- AffineTransformOp ato = new AffineTransformOp(transform, null);
- BufferedImage bid = new BufferedImage(nw, nh,
- BufferedImage.TYPE_3BYTE_BGR);
- ato.filter(bis, bid);
- ImageIO.write(bid, " jpeg ", fo);
- } catch (Exception e) {
- e.printStackTrace();
- thrownew RuntimeException(
- " Failed in create preview image. Error: "
- + e.getMessage());
- }
- }