java httpurlconnection 上传
时间: 2023-08-21 18:00:34 浏览: 110
Java的HttpURLConnection类可以用于实现文件的上传。具体步骤如下:
1. 创建URL对象,指定上传的目标地址。
2. 打开URL对象的连接,并转换为HttpURLConnection对象。
3. 设置请求方法为POST,并开启输出流,以便写入数据。
4. 设置请求头部信息,包含文件的内容类型、长度等。
5. 创建文件输入流,读取待上传的文件。
6. 创建缓冲区,并通过字节流将文件数据写入缓冲区。
7. 将缓冲区的数据写入输出流,通过URL对象发送到目标地址。
8. 获取服务器返回的响应码,判断上传是否成功。
9. 关闭输入流、输出流和连接。
以下为示例代码:
```
import java.io.BufferedReader;
import java.io.DataOutputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.InputStreamReader;
import java.net.HttpURLConnection;
import java.net.URL;
public class FileUploader {
public static void main(String[] args) {
String targetUrl = "http://example.com/upload";
String filePath = "path/to/file.txt";
try {
URL url = new URL(targetUrl);
HttpURLConnection connection = (HttpURLConnection) url.openConnection();
connection.setDoOutput(true);
connection.setRequestMethod("POST");
File file = new File(filePath);
connection.setRequestProperty("Content-Type", "multipart/form-data; boundary=" + "*****");
connection.setRequestProperty("Content-Length", String.valueOf(file.length()));
FileInputStream fileInputStream = new FileInputStream(file);
DataOutputStream dataOutputStream = new DataOutputStream(connection.getOutputStream());
byte[] buffer = new byte[4096];
int bytesRead;
while ((bytesRead = fileInputStream.read(buffer)) != -1) {
dataOutputStream.write(buffer, 0, bytesRead);
}
fileInputStream.close();
dataOutputStream.flush();
dataOutputStream.close();
int responseCode = connection.getResponseCode();
BufferedReader in = new BufferedReader(new InputStreamReader(connection.getInputStream()));
String response = "";
String inputLine;
while ((inputLine = in.readLine()) != null) {
response += inputLine;
}
in.close();
System.out.println("上传结果:" + response);
System.out.println("响应码:" + responseCode);
} catch (Exception e) {
e.printStackTrace();
}
}
}
```
以上是使用Java的HttpURLConnection类实现文件上传的基本步骤和示例代码。根据需要,你可以根据实际情况进行修改和调整。
阅读全文