java去调第三方接口的方法怎么写?
时间: 2024-02-02 10:02:33 浏览: 76
要调用第三方接口,你可以使用 Java 中的 HttpURLConnection 或 HttpClient 等库进行网络请求。以下是一个示例代码,演示如何使用 HttpURLConnection 发起 GET 请求调用第三方接口:
```java
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.net.HttpURLConnection;
import java.net.URL;
public class ThirdPartyAPI {
public static void main(String[] args) {
try {
// 创建 URL 对象
URL url = new URL("http://api.example.com/endpoint");
// 打开连接
HttpURLConnection connection = (HttpURLConnection) url.openConnection();
// 设置请求方法为 GET
connection.setRequestMethod("GET");
// 发起请求
int responseCode = connection.getResponseCode();
if (responseCode == HttpURLConnection.HTTP_OK) {
// 读取响应
BufferedReader reader = new BufferedReader(new InputStreamReader(connection.getInputStream()));
String line;
StringBuilder response = new StringBuilder();
while ((line = reader.readLine()) != null) {
response.append(line);
}
reader.close();
// 处理响应数据
System.out.println(response.toString());
} else {
System.out.println("请求失败,错误代码:" + responseCode);
}
// 关闭连接
connection.disconnect();
} catch (IOException e) {
e.printStackTrace();
}
}
}
```
以上代码会发起一个 GET 请求到 `http://api.example.com/endpoint`,并打印响应内容。你可以根据实际情况修改 URL、请求方法、处理响应等部分来适应你要调用的具体接口。
阅读全文