java请求获取json数据
时间: 2024-09-24 20:27:38 浏览: 42
在Java中,请求并获取JSON数据通常涉及网络通信,可以使用诸如`HttpURLConnection`, `HttpClient`, 或者更现代的`RestTemplate` (Spring框架) 等工具。以下是使用`HttpURLConnection`示例:
```java
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.net.HttpURLConnection;
import java.net.URL;
public class JsonRequestExample {
public static void main(String[] args) throws Exception {
String jsonStringUrl = "http://example.com/api/data"; // 替换为你需要的URL
URL url = new URL(jsonStringUrl);
HttpURLConnection connection = (HttpURLConnection) url.openConnection();
// 设置请求方法和接收JSON类型
connection.setRequestMethod("GET");
connection.setRequestProperty("Accept", "application/json");
int responseCode = connection.getResponseCode();
if (responseCode == HttpURLConnection.HTTP_OK) {
BufferedReader in = new BufferedReader(
new InputStreamReader(connection.getInputStream()));
StringBuilder content = new StringBuilder();
String inputLine;
while ((inputLine = in.readLine()) != null) {
content.append(inputLine);
}
in.close();
// 解析JSON内容
JSONObject jsonObject = new JSONObject(content.toString());
// ... 进行后续处理
} else {
throw new RuntimeException("Failed : HTTP error code : " + responseCode);
}
}
}
// 引入必要的库:org.json.JSONObject for JSON解析
import org.json.JSONObject;
```
在这个例子中,我们发送了一个GET请求到指定的URL,并检查响应状态码是否为200(表示成功)。如果成功,我们会读取返回的内容作为字符串,然后转换为`JSONObject`以方便处理JSON数据。
阅读全文