首頁 > Java > 主體

如何使用 JSP/Servlet 將檔案上傳到伺服器?

王林
發布: 2024-02-22 12:40:07
轉載
779 人瀏覽過

php小編柚子為您介紹Java中如何使用JSP/Servlet將檔案上傳到伺服器的方法。在Web開發中,文件上傳是常見需求,透過JSP/Servlet可以實現簡單且有效率的文件上傳功能。接下來,我們將詳細介紹如何透過Java程式碼實作檔案上傳至伺服器的步驟,讓您快速掌握這項技能,提升您的開發能力。

問題內容

如何使用 jsp/servlet 將檔案上傳到伺服器?

我嘗試過這個:

<form action="upload" method="post">
    <input type="text" name="description" />
    <input type="file" name="file" />
    <input type="submit" />
</form>
登入後複製

但是,我只取得檔案名,而不取得檔案內容。當我將enctype="multipart/form-data" 加入到<form> 時,request.getparameter() 傳回null

在研究過程中,我偶然發現了 apache common fileupload。我試過這個:

fileitemfactory factory = new diskfileitemfactory();
servletfileupload upload = new servletfileupload(factory);
list items = upload.parserequest(request); // this line is where it died.
登入後複製

不幸的是,servlet 拋出了一個異常,但沒有明確的訊息和原因。這是堆疊追蹤:

SEVERE: Servlet.service() for servlet UploadServlet threw exception
javax.servlet.ServletException: Servlet execution threw an exception
    at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:313)
    at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:206)
    at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:233)
    at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:191)
    at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:127)
    at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:102)
    at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:109)
    at org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:298)
    at org.apache.coyote.http11.Http11Processor.process(Http11Processor.java:852)
    at org.apache.coyote.http11.Http11Protocol$Http11ConnectionHandler.process(Http11Protocol.java:588)
    at org.apache.tomcat.util.net.JIoEndpoint$Worker.run(JIoEndpoint.java:489)
    at java.lang.Thread.run(Thread.java:637)
登入後複製

解決方法

簡介

要瀏覽並選擇要上傳的文件,您需要在表單中新增 html <input type="file"> 欄位。如HTML specification 所述,您必須使用post 方法,且表單的enctype 屬性必須設定為"multipart/form-data"

<form action="upload" method="post" enctype="multipart/form-data">
    <input type="text" name="description" />
    <input type="file" name="file" />
    <input type="submit" />
</form>
登入後複製

提交此類表單後,與未設定 enctype 時相比,二進位多部分錶單資料在 a different format 中的請求正文中可用。

在 servlet 3.0(2009 年 12 月)之前,servlet api 本身並不支援 multipart/form-data。它僅支援預設形式 enctype application/x-www-form-urlencoded。當使用多部分錶單資料時,request.getparameter() 和 consorts 都會傳回 null。這就是眾所周知的 Apache Commons FileUpload 出現的地方。

不要手動解析它!

理論上你可以根據ServletRequest#getInputStream()#自己解析請求體。然而,這是一項精確而乏味的工作,需要對RFC2388有精確的了解。你不應該嘗試自己這樣做或複製貼上一些自製的無庫檔案在網路上其他地方找到的程式碼。許多線上資源在這方面都失敗了,例如roseindia.net。另請參閱 uploading of pdf file。您應該使用真實的庫,該庫已被數百萬用戶使用(並隱式測試!)多年。這樣的庫已經證明了它的穩健性。

當您已經使用 servlet 3.0 或更高版本時,請使用本機 api

如果您至少使用servlet 3.0(tomcat 7、jetty 9、jboss as 6、glassfish 3 等,它們自2010 年以來就已經存在),那麼您可以使用HttpServletRequest#getPart() 提供的標準api 來收集單獨的多部分錶單資料項目(大多數servlet 3.0 實作實際上都在幕後使用apache commons fileupload!)。此外,正常形式欄位可以透過 getparameter() 以通常的方式取得。

先用@MultipartConfig 註解您的servlet,以便讓它辨識並支援multipart/form-data 請求,從而使getpart( ) 正常工作:

@webservlet("/upload")
@multipartconfig
public class uploadservlet extends httpservlet {
    // ...
}
登入後複製

然後,如下實作其 dopost()

protected void dopost(httpservletrequest request, httpservletresponse response) throws servletexception, ioexception {
    string description = request.getparameter("description"); // retrieves <input type="text" name="description">
    part filepart = request.getpart("file"); // retrieves <input type="file" name="file">
    string filename = paths.get(filepart.getsubmittedfilename()).getfilename().tostring(); // msie fix.
    inputstream filecontent = filepart.getinputstream();
    // ... (do your job here)
}
登入後複製

注意 path#getfilename()。這是有關獲取檔案名稱的 msie 修復。此瀏覽器錯誤地傳送完整檔案路徑和名稱,而不僅僅是檔案名稱。

如果您想透過 multiple="true" 上傳多個文件,

<input type="file" name="files" multiple="true" />
登入後複製

或使用多個輸入的老式方式,

<input type="file" name="files" />
<input type="file" name="files" />
<input type="file" name="files" />
...
登入後複製

然後你可以如下收集它們(不幸的是沒有像 request.getparts("files") 這樣的方法):

protected void dopost(httpservletrequest request, httpservletresponse response) throws servletexception, ioexception {
    // ...
    list<part> fileparts = request.getparts().stream().filter(part -> "files".equals(part.getname()) && part.getsize() > 0).collect(collectors.tolist()); // retrieves <input type="file" name="files" multiple="true">

    for (part filepart : fileparts) {
        string filename = paths.get(filepart.getsubmittedfilename()).getfilename().tostring(); // msie fix.
        inputstream filecontent = filepart.getinputstream();
        // ... (do your job here)
    }
}
登入後複製

当您尚未使用 servlet 3.1 时,手动获取提交的文件名

请注意,Part#getSubmittedFileName() 是在 servlet 3.1 中引入的(tomcat 8、jetty 9、wildfly 8、glassfish 4 等,它们自 2013 年以来就已存在)。如果您还没有使用 servlet 3.1(真的吗?),那么您需要一个额外的实用方法来获取提交的文件名。

private static string getsubmittedfilename(part part) {
    for (string cd : part.getheader("content-disposition").split(";")) {
        if (cd.trim().startswith("filename")) {
            string filename = cd.substring(cd.indexof('=') + 1).trim().replace("\"", "");
            return filename.substring(filename.lastindexof('/') + 1).substring(filename.lastindexof('\\') + 1); // msie fix.
        }
    }
    return null;
}
登入後複製
string filename = getsubmittedfilename(filepart);
登入後複製

请注意有关获取文件名的 msie 修复。此浏览器错误地发送完整文件路径和名称,而不仅仅是文件名。

当您尚未使用 servlet 3.0 时,请使用 apache commons fileupload

如果您还没有使用 servlet 3.0(是不是该升级了?它已经十多年前发布了!),通常的做法是使用 Apache Commons FileUpload 来解析多部分表单数据请求。它有一个很好的User GuideFAQ(仔细检查两者)。还有 o'reilly(“cos”)multipartrequest,但它有一些(小)错误,并且多年来不再积极维护。我不建议使用它。 apache commons fileupload 仍在积极维护,目前非常成熟。

为了使用 apache commons fileupload,您的 web 应用程序的 /web-inf/lib 中至少需要有以下文件:

您最初的尝试失败很可能是因为您忘记了公共 io。

下面是一个启动示例,显示使用 apache commons fileupload 时 uploadservletdopost() 的样子:

protected void dopost(httpservletrequest request, httpservletresponse response) throws servletexception, ioexception {
    try {
        list<fileitem> items = new servletfileupload(new diskfileitemfactory()).parserequest(request);
        for (fileitem item : items) {
            if (item.isformfield()) {
                // process regular form field (input type="text|radio|checkbox|etc", select, etc).
                string fieldname = item.getfieldname();
                string fieldvalue = item.getstring();
                // ... (do your job here)
            } else {
                // process form file field (input type="file").
                string fieldname = item.getfieldname();
                string filename = filenameutils.getname(item.getname());
                inputstream filecontent = item.getinputstream();
                // ... (do your job here)
            }
        }
    } catch (fileuploadexception e) {
        throw new servletexception("cannot parse multipart request.", e);
    }

    // ...
}
登入後複製

非常重要的是,您不要事先在同一请求上调用 getparameter()getparametermap()getparametervalues()getinputstream()getreader() 等。否则,servlet 容器将读取并解析请求正文,因此 apache commons fileupload 将得到一个空请求正文。另请参见 a.o. ServletFileUpload#parseRequest(request) returns an empty list

注意 filenameutils#getname()。这是有关获取文件名的 msie 修复。此浏览器错误地发送完整文件路径和名称,而不仅仅是文件名。

或者,您也可以将这一切包装在 filter 中,它会自动解析所有内容并将内容放回请求的参数映射中,以便您可以继续以通常的方式使用 request.getparameter() 并通过以下方式检索上传的文件request.getattribute()You can find an example in this blog article

glassfish3 中 getparameter() 错误的解决方法仍然返回 null

请注意,早于 3.1.2 的 glassfish 版本有 a bug,其中 getparameter() 仍返回 null。如果您的目标是这样的容器并且无法升级它,那么您需要借助此实用程序方法从 getpart() 中提取值:

private static string getvalue(part part) throws ioexception {
    bufferedreader reader = new bufferedreader(new inputstreamreader(part.getinputstream(), "utf-8"));
    stringbuilder value = new stringbuilder();
    char[] buffer = new char[1024];
    for (int length = 0; (length = reader.read(buffer)) > 0;) {
        value.append(buffer, 0, length);
    }
    return value.tostring();
}
登入後複製
string description = getvalue(request.getpart("description")); // retrieves <input type="text" name="description">
登入後複製

保存上传的文件(不要使用 getrealpath()part.write()!)

前往以下答案,详细了解如何将获得的 inputstream (上述代码片段中所示的 filecontent 变量)正确保存到磁盘或数据库:

提供上传的文件

请参阅以下答案,了解如何正确地将保存的文件从磁盘或数据库返回给客户端的详细信息:

ajax 表单

前往以下答案,了解如何使用 ajax(和 jquery)上传。请注意,无需为此更改用于收集表单数据的 servlet 代码!只有您响应的方式可能会改变,但这相当简单(即,不转发到 jsp,只需打印一些 json 或 xml 甚至纯文本,具体取决于负责 ajax 调用的脚本所期望的内容)。

如果您碰巧使用 Spring MVC,请按以下方法操作(我将其留在这里,以防有人发现它有用):

使用 enctype 属性设置为“multipart/form-datazqbenczqb”的表单(与 <a href="https://www.php.cn/link/8a13dab3f5ec9e22d0d1495c8c85e436">BalusC's answer</a> 相同):</p> <div class="code" style="position:relative; padding:0px; margin:0px;"><pre class="brush:html;toolbar:false;">&lt;form action=&quot;upload&quot; method=&quot;post&quot; enctype=&quot;multipart/form-data&quot;&gt; &lt;input type=&quot;file&quot; name=&quot;file&quot; /&gt; &lt;input type=&quot;submit&quot; value=&quot;upload&quot;/&gt; &lt;/form&gt; </pre><div class="contentsignin">登入後複製</div></div> <p>在您的控制器中,将请求参数 <code>file 映射到 multipartfile 类型,如下所示:

@RequestMapping(value = "/upload", method = RequestMethod.POST)
public void handleUpload(@RequestParam("file") MultipartFile file) throws IOException {
    if (!file.isEmpty()) {
            byte[] bytes = file.getBytes(); // alternatively, file.getInputStream();
            // application logic
    }
}
登入後複製

您可以使用 multipartfilegetoriginalfilename()getsize() 获取文件名和大小。

我已经使用 spring 版本 4.1.1.release 对此进行了测试。

以上是如何使用 JSP/Servlet 將檔案上傳到伺服器?的詳細內容。更多資訊請關注PHP中文網其他相關文章!

相關標籤:
來源:stackoverflow.com
本網站聲明
本文內容由網友自願投稿,版權歸原作者所有。本站不承擔相應的法律責任。如發現涉嫌抄襲或侵權的內容,請聯絡admin@php.cn
最新問題
熱門教學
更多>
最新下載
更多>
網站特效
網站源碼
網站素材
前端模板
關於我們 免責聲明 Sitemap
PHP中文網:公益線上PHP培訓,幫助PHP學習者快速成長!