我有一个带有 Restlet 2.3 的REST API,需要为它实现文件上传功能。 问题是,当有人使用POST(具有multipart / form-data Content-Type)上传文件时,该文件将使用其他编码到达服务器。 为了测试这一点,我在Unix终端中打印了原始文件的内容,然后在使用 Apache Commons FileUpload 解析requet之前再次打印它(与此示例的代码几乎完全相同http://restlet.com/technical-resources/restlet-framework/guide/2.2/extensions/fileupload )。两个打印的内容非常相似,但原始文件的字符较少,所以我假设我的Java服务器使用错误的编码来解释文件。
我发送的文件是PNG图像。使用文本文件服务器可以正常工作,但是当我发送照片或任何二进制文件时,会出现问题。
答案 0 :(得分:0)
我不知道您是如何检查收到的内容的。首先,您应该检查多部分请求内容中用于文件部分的内容类型。对于JPG图像,你应该有类似的东西:
-----------------------------75956101888331271337088331
Content-Disposition: form-data; name="fileToUpload"; filename="myimage.jpg"
Content-Type: image/jpeg
其次,我不知道你是如何写出你收到的内容的。 Apache Commons IO带来了一种实用方法IOUtils.copy
,它提供了一个简单的解决方案,可以在OutputStream
中收到从InputStream
收到的内容。了解ti如何在您的上下文中使用:
while (fileIterator.hasNext()) {
FileItemStream fi = fileIterator.next();
if (fi.getFieldName().equals("fileToUpload")) {
FileOutputStream fos = new FileOutputStream(
"output"+File.separator+fi.getFieldName());
IOUtils.copy(fi.openStream(), fos);
fos.close();
}
}
IMO,编码方面仅适用于不是二进制内容的文本。
希望它有所帮助, 亨利
答案 1 :(得分:0)
我实际上是通过使用Google的ByteStreams类解决了它:
while (fileIterator.hasNext()) {
FileItemStream fi = fileIterator.next();
if (fi.getFieldName().equals(FILE_TO_UPLOAD)) {
byte[] byteArray = ByteStreams.toByteArray(fi.openStream());
result = new String(byteArray,Charset.forName("ISO-8859-1"));
}
}
答案 2 :(得分:0)
上传图像文件时,我遇到了类似的问题。这就是我固定的方式。在我看来,问题是从输入流读取的数据。由于它是从套接字读取的,因此不能保证您将充满阵列的完整缓冲区。因此,在将数据写入输出缓冲区/文件之前,应检查数据大小。这是我的代码,希望对您有所帮助。也可在存储库https://github.com/esabilbulbul/java-servlet-fileupload/blob/master/README.md
中使用// Create a new file upload handler
ServletFileUpload upload = new ServletFileUpload();
upload.setHeaderEncoding("UTF-8");
// Parse the request
FileItemIterator iter = upload.getItemIterator(request);
while (iter.hasNext())
{
FileItemStream item = iter.next();
String name = item.getFieldName();
//InputStream attachmentStream = item.openStream();
//byte[] attachmentBytes = ByteStreams.toByteArray(attachmentStream);
//InputStream stream = item.getInputStream();
InputStream stream = item.openStream();
if (item.isFormField())
{
//System.out.println("Form field " + name + " with value " + Streams.asString(stream) + " detected.");
}
else
{
System.out.println("File field " + name + " with file name "+ item.getName() + " detected.");
// Process the input stream
FileOutputStream fout= new FileOutputStream ("c:\\" + item.getName());
BufferedOutputStream bout= new BufferedOutputStream (fout);
BufferedInputStream bin= new BufferedInputStream(stream);
byte buf[] = new byte[2048];
int len=0;
while ((len = bin.read(buf)) > 0)//((bin.read(buf)) != -1)
{
bout.write(buf, 0, len);
if (len<2048)
len = len;
}
bout.close();
bin.close();
}
}