java 写httpget请求方法
时间: 2024-09-14 15:07:58 浏览: 40
在Java中,可以使用java.net包下的HttpURLConnection类或者第三方库如Apache HttpClient或OkHttp来发送HTTP GET请求。这里是一个使用HttpURLConnection的基本示例:
```java
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.net.HttpURLConnection;
import java.net.URL;
public class HttpRequestExample {
public static void main(String[] args) throws Exception {
// 创建URL对象
URL url = new URL("https://api.example.com/data");
// 打开连接
HttpURLConnection connection = (HttpURLConnection) url.openConnection();
connection.setRequestMethod("GET"); // 设置请求方法为GET
// 添加请求头(如果需要)
connection.setRequestProperty("User-Agent", "Mozilla/5.0");
// 连接并获取响应码
int responseCode = connection.getResponseCode();
System.out.println("Response Code : " + responseCode);
if (responseCode == HttpURLConnection.HTTP_OK) { // 确保请求成功
// 读取响应数据
BufferedReader in = new BufferedReader(new InputStreamReader(connection.getInputStream()));
String inputLine;
StringBuilder content = new StringBuilder();
while ((inputLine = in.readLine()) != null) {
content.append(inputLine);
}
in.close();
// 输出响应内容
System.out.println("Response Content: " + content.toString());
} else {
throw new RuntimeException("Failed : HTTP error code : " + responseCode);
}
// 关闭连接
connection.disconnect();
}
}
```
在这个例子中,我们首先创建了一个URL对象,然后通过`openConnection()`方法打开到该URL的连接,并设置请求方法为GET。接着,我们可以检查响应状态码,如果一切正常,就读取服务器返回的数据。
阅读全文