HttpURLConnection 使用案例
时间: 2023-07-11 08:53:00 浏览: 116
以下是一个使用Java标准库中的HttpURLConnection发送HTTP GET请求的简单案例:
```java
import java.net.*;
import java.io.*;
public class HttpGetExample {
public static void main(String[] args) {
try {
// 创建URL对象
URL url = new URL("http://example.com/api/data");
// 打开连接
HttpURLConnection conn = (HttpURLConnection) url.openConnection();
// 设置请求方法为GET
conn.setRequestMethod("GET");
// 设置连接超时时间和读取超时时间
conn.setConnectTimeout(5000);
conn.setReadTimeout(5000);
// 获取响应码
int responseCode = conn.getResponseCode();
System.out.println("Response Code : " + responseCode);
// 读取响应内容
BufferedReader in = new BufferedReader(
new InputStreamReader(conn.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
// 输出响应内容
System.out.println(response.toString());
} catch (Exception e) {
e.printStackTrace();
}
}
}
```
在该案例中,我们发送了一个HTTP GET请求,并读取了响应内容。我们首先创建了一个URL对象,然后使用HttpURLConnection打开连接。我们设置了请求方法为GET,并设置了连接超时时间和读取超时时间。然后,我们获取响应码以及响应内容,并将响应内容输出到控制台。
阅读全文