實現圖片上傳
用戶必須可以上傳圖片,所以須要文件上傳的功能。比較常見的文件上傳組件有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:java
xml 代碼web
<bean id="multipartResolver" spring
class="org.springframework.web.multipart.commons.CommonsMultipartResolver"> apache
<!-- 設置上傳文件的最大尺寸爲1MB --> 服務器
<property name="maxUploadSize"> spa
<value>1048576</value> orm
</property> xml
</bean> 圖片
這樣一旦某個Request是一個MultipartRequest,它就會首先被MultipartResolver處理,而後再轉發相應的Controller。
在UploadImageController中,將HttpServletRequest轉型爲MultipartHttpServletRequest,就能很是方便地獲得文件名和文件內容:ip
java 代碼
public ModelAndView handleRequest(HttpServletRequest request,
HttpServletResponse response) throws Exception {
// 轉型爲MultipartHttpRequest:
MultipartHttpServletRequest multipartRequest = (MultipartHttpServletRequest) request;
// 得到文件:
MultipartFile file = multipartRequest.getFile(" file ");
// 得到文件名:
String filename = file.getOriginalFilename();
// 得到輸入流:
InputStream input = file.getInputStream();
// 寫入文件
// 或者:
File source = new File(localfileName.toString());
multipartFile.transferTo(source);
}
生成縮略圖 (目錄)
當用戶上傳了圖片後,必須生成縮略圖以便用戶能快速瀏覽。咱們不需藉助第三方軟件,JDK標準庫就包含了圖像處理的API。咱們把一張圖片按比例縮放到120X120大小,如下是關鍵代碼:
java 代碼
public static void 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();
throw new RuntimeException(
" Failed in create preview image. Error: "
+ e.getMessage());
}
}