java发送post请求发送json
时间: 2023-10-24 18:05:07 浏览: 55
可以使用 Java 的 HttpURLConnection 类来发送 POST 请求并发送 JSON 数据。下面是一个示例代码:
```java
import java.io.*;
import java.net.*;
public class HttpPostJsonExample {
public static void main(String[] args) throws Exception {
String url = "https://example.com/api/endpoint";
String json = "{\"key1\":\"value1\",\"key2\":\"value2\"}";
URL obj = new URL(url);
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
con.setRequestProperty("Content-Type", "application/json");
con.setDoOutput(true);
OutputStreamWriter wr = new OutputStreamWriter(con.getOutputStream());
wr.write(json);
wr.flush();
wr.close();
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 : " + response.toString());
}
}
```
在代码中,我们首先定义了要发送 POST 请求的 URL 和 JSON 数据。然后,我们创建了一个 URL 对象,并通过它创建一个 HttpURLConnection 对象。我们设置请求的方法为 POST,设置 Content-Type 为 application/json,然后启用输出,并将 JSON 数据写入输出流。最后,我们获取响应代码和响应内容,并将其打印出来。
阅读全文