在Java中調用POST接口,可以使用以下幾種方法:
1. 使用Java原生的HttpURLConnection類發送POST請求:
```java
import java.io.BufferedReader;
import java.io.DataOutputStream;
import java.io.InputStreamReader;
import java.net.HttpURLConnection;
import java.net.URL;
public class HttpPostExample {
public static void main(String[] args) {
try {
String url = "http://example.com/api/endpoint";
URL obj = new URL(url);
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
// 設置請求方法為POST
con.setRequestMethod("POST");
// 設置請求頭部信息
con.setRequestProperty("Content-Type", "application/json");
con.setRequestProperty("User-Agent", "Mozilla/5.0");
// 設置POST請求體參數
String postData = "{\"key1\":\"value1\",\"key2\":\"value2\"}";
con.setDoOutput(true);
DataOutputStream wr = new DataOutputStream(con.getOutputStream());
wr.writeBytes(postData);
wr.flush();
wr.close();
// 獲取響應結果
int responseCode = con.getResponseCode();
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();
}
}
}
```
2. 使用第三方庫Apache HttpClient發送POST請求:
```java
import org.apache.http.HttpEntity;
import org.apache.http.HttpResponse;
import org.apache.http.client.HttpClient;
import org.apache.http.client.methods.HttpPost;
import org.apache.http.entity.StringEntity;
import org.apache.http.impl.client.DefaultHttpClient;
import org.apache.http.util.EntityUtils;
public class HttpPostExample {
public static void main(String[] args) {
try {
String url = "http://example.com/api/endpoint";
HttpClient httpClient = new DefaultHttpClient();
HttpPost httpPost = new HttpPost(url);
// 設置請求頭部信息
httpPost.setHeader("Content-Type", "application/json");
httpPost.setHeader("User-Agent", "Mozilla/5.0");
// 設置POST請求體參數
String postData = "{\"key1\":\"value1\",\"key2\":\"value2\"}";
StringEntity entity = new StringEntity(postData);
httpPost.setEntity(entity);
// 發送POST請求
HttpResponse response = httpClient.execute(httpPost);
HttpEntity responseEntity = response.getEntity();
// 獲取響應結果
String responseString = EntityUtils.toString(responseEntity);
// 打印響應結果
System.out.println(responseString);
} catch (Exception e) {
e.printStackTrace();
}
}
}
```
上述代碼中的`url`為POST接口的地址,`postData`為POST請求體參數,根據接口的要求進行設置。