JSP /サーブレットを使用してファイルをサーバーにアップロードする方法を教えてください。私はこれを試しました:
<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.
残念ながら、サーブレットは明確なメッセージと原因なしに例外を投げました。これがスタックトレースです。
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
が設定されていない場合よりも、バイナリのマルチパートフォームデータが 別の形式 で要求本体に使用可能になります。
Servlet 3.0より前は、Servlet APIはmultipart/form-data
をネイティブにサポートしていませんでした。デフォルトのフォームenctype application/x-www-form-urlencoded
のみをサポートします。マルチパートフォームデータを使用する場合、request.getParameter()
とconsortsはすべてnull
を返します。これが、よく知られた Apache Commons FileUpload が登場したところです。
理論的には ServletRequest#getInputStream()
に基づいてリクエストボディを自分で解析することができます。しかしながら、これは RFC2388 の正確な知識を必要とする正確で退屈な作業です。あなたは自分自身でこれをすることを試みるべきではないか、インターネット上の他の場所にあるいくつかの自家製のライブラリのないコードをコピーペーストするべきではありません。これには、roseindia.netなど、多くのオンライン情報源がうまく機能しませんでした。 pdfファイルのアップロード も参照してください。何百万ものユーザーによって何年間も使用されている(そして暗黙のうちにテストされている!)本当のライブラリを使用するべきです。そのようなライブラリはその堅牢性を証明しています。
少なくともServlet 3.0(Tomcat 7、Jetty 9、JBoss AS 6、GlassFish 3など)を使用している場合は、提供されている標準のAPI HttpServletRequest#getPart()
を使用して個々のマルチパートフォームデータ項目を収集できます。ほとんどのサーブレット3.0実装は、実際にはこのためにカバーの下でApache Commons FileUploadを使用しています。また、通常のフォームフィールドは通常の方法でgetParameter()
で利用可能です。
@MultipartConfig
リクエストを認識しサポートするようにするために、まずサーブレットに 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修正プログラムです。このブラウザは、ファイル名だけではなく、名前に沿って完全なファイルパスを誤って送信します。
マルチファイルアップロード用の<input type="file" name="file" multiple="true" />
がある場合は、以下のように収集してください(残念ながらrequest.getParts("file")
のようなメソッドはありません)。
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// ...
List<Part> fileParts = request.getParts().stream().filter(part -> "file".equals(part.getName())).collect(Collectors.toList()); // Retrieves <input type="file" name="file" multiple="true">
for (Part filePart : fileParts) {
String fileName = Paths.get(filePart.getSubmittedFileName()).getFileName().toString(); // MSIE fix.
InputStream fileContent = filePart.getInputStream();
// ... (do your job here)
}
}
Part#getSubmittedFileName()
はサーブレット3.1(Tomcat 8、Jetty 9、WildFly 8、GlassFish 4など)で導入されました。 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 を使ってマルチパートフォームのデータリクエストを解析することです。それは優れた ユーザーガイド と FAQ を持っています(注意深く両方を見てください)。 O'Reilly( " cos ")MultipartRequest
もありますが、いくつかの(マイナーな)バグがあり、もう何年も積極的にメンテナンスされていません。私はそれを使うことをお勧めしません。 Apache Commons FileUploadはまだ積極的にメンテナンスされており、現在非常に成熟しています。
Apache Commons FileUploadを使用するには、Webアプリケーションの/WEB-INF/lib
に少なくとも以下のファイルが必要です。
あなたがコモンズIOを忘れたため、あなたの最初の試みは失敗した可能性が最も高いです。
これは、Apache Commons FileUploadを使用したときのUploadServlet
のdoPost()
の外観の例です。
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()
などを呼び出さないでください。それ以外の場合、サーブレットコンテナはリクエスト本文を読み込んで解析し、Apache Commons FileUploadは空のリクエスト本文を取得します。 a.o.も参照してください。 ServletFileUpload#parseRequest(request)は空のリストを返します 。
FilenameUtils#getName()
に注意してください。これはファイル名の取得に関するMSIE修正プログラムです。このブラウザは、ファイル名だけではなく、名前に沿って完全なファイルパスを誤って送信します。
あるいは、これをすべてFilter
にラップして自動的に解析し、通常の方法でrequest.getParameter()
を使用し続けてrequest.getAttribute()
でアップロードされたファイルを取得できるように、リクエストのパラメータマップに内容を戻すこともできます。 このブログ記事に例があります 。
getParameter()
がnull
を返すGlassfishのバージョン3.1.2より前のバージョンでは バグ がありましたが、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(およびjQuery)を使用してアップロードする方法について、以下の回答に進んでください。フォームデータを収集するためのサーブレットコードを変更する必要はないことに注意してください。あなたの反応の仕方だけが変わるかもしれませんが、これはどちらかといえば簡単です(つまり、JSPに転送する代わりに、Ajax呼び出しを担当するスクリプトに応じてJSONやXML、あるいはプレーンテキストを印刷するだけです)。
これがすべて役立つことを願っています:)
もしあなたがたまたまSpring MVCを使うならば、これはどのようにするかです:(誰かがそれを役に立つと思うならば私はここにこれを残します)。
enctype
属性を "multipart/form-data
"に設定したフォームを使用してください(BalusCの回答と同じ)
<form action="upload" method="post" enctype="multipart/form-data">
<input type="file" name="file" />
<input type="submit" value="Upload"/>
</form>
コントローラで、次のようにリクエストパラメータ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
}
}
MultipartFile
のgetOriginalFilename()
とgetSize()
を使ってファイル名とサイズを得ることができます。
私はこれをSpringバージョンの4.1.1.RELEASE
でテストしました。
common-io.1.4.jar
ファイルをlib
ディレクトリに含める必要があります。または、NetBeansなどのエディタで作業している場合は、プロジェクトプロパティに移動してJARファイルを追加するだけで完了です。
common.io.jar
ファイルを入手するには、単にそれをGoogleで検索するか、Apache Tomcat Webサイトにアクセスして、このファイルを無料でダウンロードすることができます。ただし、覚えておくべきことが1つあります。Windowsユーザーの場合は、バイナリのZipファイルをダウンロードしてください。
添付ファイルの有無にかかわらず、 - Htmlフォームに共通のサーブレットを使用しています。このサーブレットは、キーがjsp nameであるTreeMap
を返します。パラメータと値はUser Inputsで、すべての添付ファイルを固定ディレクトリに保存し、後であなたが選んだディレクトリの名前を変更します。これはあなたに役立つと思います
public class ServletCommonfunctions extends HttpServlet implements
Connections {
private static final long serialVersionUID = 1L;
public ServletCommonfunctions() {}
protected void doPost(HttpServletRequest request,
HttpServletResponse response) throws ServletException,
IOException {}
public SortedMap<String, String> savefilesindirectory(
HttpServletRequest request, HttpServletResponse response)
throws IOException {
// Map<String, String> key_values = Collections.synchronizedMap( new
// TreeMap<String, String>());
SortedMap<String, String> key_values = new TreeMap<String, String>();
String dist = null, fact = null;
PrintWriter out = response.getWriter();
File file;
String filePath = "E:\\FSPATH1\\2KL06CS048\\";
System.out.println("Directory Created ????????????"
+ new File(filePath).mkdir());
int maxFileSize = 5000 * 1024;
int maxMemSize = 5000 * 1024;
// Verify the content type
String contentType = request.getContentType();
if ((contentType.indexOf("multipart/form-data") >= 0)) {
DiskFileItemFactory factory = new DiskFileItemFactory();
// maximum size that will be stored in memory
factory.setSizeThreshold(maxMemSize);
// Location to save data that is larger than maxMemSize.
factory.setRepository(new File(filePath));
// Create a new file upload handler
ServletFileUpload upload = new ServletFileUpload(factory);
// maximum file size to be uploaded.
upload.setSizeMax(maxFileSize);
try {
// Parse the request to get file items.
@SuppressWarnings("unchecked")
List<FileItem> fileItems = upload.parseRequest(request);
// Process the uploaded file items
Iterator<FileItem> i = fileItems.iterator();
while (i.hasNext()) {
FileItem fi = (FileItem) i.next();
if (!fi.isFormField()) {
// Get the uploaded file parameters
String fileName = fi.getName();
// Write the file
if (fileName.lastIndexOf("\\") >= 0) {
file = new File(filePath
+ fileName.substring(fileName
.lastIndexOf("\\")));
} else {
file = new File(filePath
+ fileName.substring(fileName
.lastIndexOf("\\") + 1));
}
fi.write(file);
} else {
key_values.put(fi.getFieldName(), fi.getString());
}
}
} catch (Exception ex) {
System.out.println(ex);
}
}
return key_values;
}
}
Spring MVCの場合 これを行うために何時間も努力していて、データと画像の両方をフォーム入力に使用するための単純なバージョンを管理することができました。
<form action="/handleform" method="post" enctype="multipart/form-data">
<input type="text" name="name" />
<input type="text" name="age" />
<input type="file" name="file" />
<input type="submit" />
</form>
処理するコントローラ
@Controller
public class FormController {
@RequestMapping(value="/handleform",method= RequestMethod.POST)
ModelAndView register(@RequestParam String name, @RequestParam int age, @RequestParam MultipartFile file)
throws ServletException, IOException {
System.out.println(name);
System.out.println(age);
if(!file.isEmpty()){
byte[] bytes = file.getBytes();
String filename = file.getOriginalFilename();
BufferedOutputStream stream =new BufferedOutputStream(new FileOutputStream(new File("D:/" + filename)));
stream.write(bytes);
stream.flush();
stream.close();
}
return new ModelAndView("index");
}
}
それが役に立てば幸い :)
Tomcat 6にコンポーネントライブラリや外部ライブラリがない場合o 7
web.xml ファイルでアップロードを有効にする
<servlet>
<servlet-name>jsp</servlet-name>
<servlet-class>org.Apache.jasper.servlet.JspServlet</servlet-class>
<multipart-config>
<max-file-size>3145728</max-file-size>
<max-request-size>5242880</max-request-size>
</multipart-config>
<init-param>
<param-name>fork</param-name>
<param-value>false</param-value>
</init-param>
<init-param>
<param-name>xpoweredBy</param-name>
<param-value>false</param-value>
</init-param>
<load-on-startup>3</load-on-startup>
</servlet>
ご覧のように:
<multipart-config>
<max-file-size>3145728</max-file-size>
<max-request-size>5242880</max-request-size>
</multipart-config>
JSPを使用してファイルをアップロードする。ファイル:
htmlファイル内
<form method="post" enctype="multipart/form-data" name="Form" >
<input type="file" name="fFoto" id="fFoto" value="" /></td>
<input type="file" name="fResumen" id="fResumen" value=""/>
JSPファイル内またはサーブレット
InputStream isFoto = request.getPart("fFoto").getInputStream();
InputStream isResu = request.getPart("fResumen").getInputStream();
ByteArrayOutputStream baos = new ByteArrayOutputStream();
byte buf[] = new byte[8192];
int qt = 0;
while ((qt = isResu.read(buf)) != -1) {
baos.write(buf, 0, qt);
}
String sResumen = baos.toString();
max-file-size、max-request-size、および設定可能なその他のオプションなど、サーブレットの要件に合わせてコードを編集します。
Geronimoを組み込みTomcatと一緒に使用している場合、この問題の別の原因が発生します。この場合、commons-ioとcommons-fileuploadのテストを何度も繰り返した後、commons-xxx jarを処理する親クラスローダーから問題が発生します。これを防ぐ必要があります。クラッシュは常に次の場所で発生しました。
fileItems = uploader.parseRequest(request);
FileItemのList型が現在のバージョンのcommons-fileuploadで変更され、特にList
である以前のバージョンとは対照的にList<FileItem>
になっています。
実際のエラーを追跡するために私のEclipseプロジェクトにcommons-fileuploadとcommons-ioのソースコードを追加し、ついに洞察を得ました。まず、スローされる例外はThrowable型であり、指定されたFileIOExceptionでも例外でもありません(これらはトラップされません)。次に、エラーメッセージは、axis2がcommons-ioを見つけることができなかったためクラスが見つからないことを示しているという点で難解です。 Axis2は私のプロジェクトではまったく使用されていませんが、標準インストールの一部としてGeronimoリポジトリー・サブディレクトリー内のフォルダーとして存在します。
最後に、私は私の問題を首尾よく解決した実用的な解決策を提起した1つの場所を見つけました。デプロイメント計画では、jarを親ローダーから隠す必要があります。これはgeronimo-web.xmlに入れられ、私のフルファイルは以下のようになっています。
Pasted from <http://osdir.com/ml/user-geronimo-Apache/2011-03/msg00026.html>
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<web:web-app xmlns:app="http://geronimo.Apache.org/xml/ns/j2ee/application-2.0" xmlns:client="http://geronimo.Apache.org/xml/ns/j2ee/application-client-2.0" xmlns:conn="http://geronimo.Apache.org/xml/ns/j2ee/connector-1.2" xmlns:dep="http://geronimo.Apache.org/xml/ns/deployment-1.2" xmlns:ejb="http://openejb.Apache.org/xml/ns/openejb-jar-2.2" xmlns:log="http://geronimo.Apache.org/xml/ns/loginconfig-2.0" xmlns:name="http://geronimo.Apache.org/xml/ns/naming-1.2" xmlns:pers="http://Java.Sun.com/xml/ns/persistence" xmlns:pkgen="http://openejb.Apache.org/xml/ns/pkgen-2.1" xmlns:sec="http://geronimo.Apache.org/xml/ns/security-2.0" xmlns:web="http://geronimo.Apache.org/xml/ns/j2ee/web-2.0.1">
<dep:environment>
<dep:moduleId>
<dep:groupId>DataStar</dep:groupId>
<dep:artifactId>DataStar</dep:artifactId>
<dep:version>1.0</dep:version>
<dep:type>car</dep:type>
</dep:moduleId>
<!--Don't load commons-io or fileupload from parent classloaders-->
<dep:hidden-classes>
<dep:filter>org.Apache.commons.io</dep:filter>
<dep:filter>org.Apache.commons.fileupload</dep:filter>
</dep:hidden-classes>
<dep:inverse-classloading/>
</dep:environment>
<web:context-root>/DataStar</web:context-root>
</web:web-app>
これはApache commons-fileuploadを使った例です:
// Apache commons-fileupload to handle file upload
DiskFileItemFactory factory = new DiskFileItemFactory();
factory.setRepository(new File(DataSources.TORRENTS_DIR()));
ServletFileUpload fileUpload = new ServletFileUpload(factory);
List<FileItem> items = fileUpload.parseRequest(req.raw());
FileItem item = items.stream()
.filter(e ->
"the_upload_name".equals(e.getFieldName()))
.findFirst().get();
String fileName = item.getName();
item.write(new File(dir, fileName));
log.info(fileName);