编写一段Java使用http请求接口的代码
时间: 2024-10-13 21:11:40 浏览: 22
在Java中,你可以使用HttpURLConnection、HttpClient库或者是第三方库如Apache HttpClient或OkHttp来进行HTTP请求。这里是一个使用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) {
String url = "https://api.example.com/data"; // 替换为你需要请求的实际URL
try {
URL obj = new URL(url);
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
// 设置请求方法,GET请求
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
System.out.println("Response Code : " + responseCode);
BufferedReader in = new BufferedReader(
new InputStreamReader(con.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();
}
}
}
```
在这个例子中,我们首先创建了一个URL对象,然后通过`openConnection()`获取连接。设置请求方法为GET,发送请求并读取服务器返回的数据。注意处理可能出现的异常。
阅读全文