Spring--《Spring實戰》The temporary upload location [/tmp/uploads] is not valid
阿新 • • 發佈:2019-02-14
在看《Spring實戰》第七章的時候,需要上傳檔案,書上說的是將上傳的圖片儲存在/tmp/uploads這個目錄下,因此我給專案的根路徑下建立了/tmp/uploads這個目錄,但是卻出現了標題中的錯誤,經過一番鬥爭之後,明白了問題的所在。
問題分析
要解決這個問題,我們需要看一下Spring的原始碼:
public class StandardMultipartHttpServletRequest extends AbstractMultipartHttpServletRequest {
//中間程式碼省略
/**
* Spring MultipartFile adapter, wrapping a Servlet 3.0 Part object.
*/
@SuppressWarnings("serial")
private static class StandardMultipartFile implements MultipartFile, Serializable {
//中間程式碼省略
@Override
public void transferTo(File dest) throws IOException,IllegalStateException {
this.part.write(dest.getPath());
}
}
}
package org.apache.catalina.core;
/**
* Adaptor to allow {@link FileItem} objects generated by the package renamed
* commons-upload to be used by the Servlet 3.0 upload API that expects
* {@link Part}s.
*/
public class ApplicationPart implements Part {
//中間程式碼省略
@Override
public void write(String fileName) throws IOException {
File file = new File(fileName);
if (!file.isAbsolute()) {
file = new File(location, fileName);
}
try {
fileItem.write(file);
} catch (Exception e) {
throw new IOException(e);
}
}
}
原始碼一目瞭然,使用Servlet3.0的支援的上傳檔案功能時,如果我們沒有使用絕對路徑的話,transferTo方法會在相對路徑前新增一個location路徑,即:file = new File(location, fileName);。當然,這也影響了SpringMVC的Multipartfile的使用。
由於我們建立的File在專案路徑/tmp/uploads/,而transferTo方法預期寫入的檔案路徑為/etc/tpmcat/work/Catalina/localhost/ROOT/tmp/uploads/,注意此時寫入的路徑是相對於你本地tomcat的路徑,因此書上的程式碼:
@Override
protected void customizeRegistration(Dynamic registration) {
registration.setMultipartConfig(
new MultipartConfigElement("/tmp/uploads")
);
}
也只是在本地tomcat伺服器的根路徑下建立/tmp/uploads,此時本地伺服器並沒有這個目錄,因此報錯。
解決方法
1.使用絕對路徑
2.修改location的值
這個location可以理解為臨時檔案目錄,我們可以通過配置location的值,使其指向我們的專案路徑,這樣就解決了我們遇到的問題。程式碼如下:
@Override
protected void customizeRegistration(Dynamic registration) {
registration.setMultipartConfig(
new MultipartConfigElement("/home/hg_yi/Web專案/spittr/web")
);
}
profilePicture.write("/tmp/uploads" + profilePicture.getSubmittedFileName());
這樣就解決錯誤啦~~