我正在尝试使用 JavaURL
类上传文件,并且我在 stack-overflow 上找到了一个先前的问题,它很好地解释了细节,所以我尝试遵循它。以下是我从答案中给出的代码片段中采用的代码。
我的问题是,如果我不调用connection.getResponseCode()
或connection.getInputStream()
或connection.getResponseMessage()
或任何与服务器响应相关的任何内容,则该请求将永远不会发送到服务器。为什么我需要这样做?或者有什么方法可以在没有得到响应的情况下写入数据?
PS 我开发了一个服务器端上传 servlet,它接受multipart/form-data
并将其保存到使用FileUpload
. 它很稳定,绝对可以正常工作,所以这不是我的问题产生的地方。
import java.io.Closeable;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.io.OutputStream;
import java.io.PrintWriter;
import java.net.HttpURLConnection;
import java.net.URL;
import org.apache.commons.io.IOUtils;
public class URLUploader {
public static void closeQuietly(Closeable... objs) {
for (Closeable closeable : objs) {
IOUtils.closeQuietly(closeable);
}
}
public static void main(String[] args) throws IOException {
File textFile = new File("D:\\file.zip");
String boundary = Long.toHexString(System.currentTimeMillis()); // Just generate some unique random value.
HttpURLConnection connection = (HttpURLConnection) new URL("http://localhost:8080/upslet/upload").openConnection();
connection.setDoOutput(true);
connection.setRequestProperty("Content-Type", "multipart/form-data; boundary=" + boundary);
OutputStream output = connection.getOutputStream();
PrintWriter writer = new PrintWriter(output, true);
// Send text file.
writer.println("--" + boundary);
writer.println("Content-Disposition: form-data; name=\"file1\"; filename=\"" + textFile.getName() + "\"");
writer.println("Content-Type: application/octet-stream");
FileInputStream fin = new FileInputStream(textFile);
writer.println();
IOUtils.copy(fin, output);
writer.println();
// End of multipart/form-data.
writer.println("--" + boundary + "--");
output.flush();
closeQuietly(fin, writer, output);
// Above request will never be sent if .getInputStream() or .getResponseCode() or .getResponseMessage() does not get called.
connection.getResponseCode();
}
}