How to Get JSON Data from API Using Java
This guide will show you how to use Java to send a GET request to an API and read the returned JSON data using HttpURLConnection
.
In this article, we'll use Java's HttpURLConnection
class to send a GET request to an API and process the returned JSON data in detail.
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.net.HttpURLConnection;
import java.net.URL;
public class GetJsonFromAPI {
public static void main(String[] args) {
try {
// API URL
String apiUrl = "https://api.example.com/data";
// Create a URL object
URL url = new URL(apiUrl);
// Open connection
HttpURLConnection connection = (HttpURLConnection) url.openConnection();
// Set request method to GET
connection.setRequestMethod("GET");
// Check the response code
int responseCode = connection.getResponseCode();
if (responseCode == HttpURLConnection.HTTP_OK) {
// Read the JSON data returned
BufferedReader in = new BufferedReader(new InputStreamReader(connection.getInputStream()));
String inputLine;
StringBuilder response = new StringBuilder();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
// Display the JSON data
System.out.println("JSON Data: " + response.toString());
} else {
System.out.println("Request failed. Error code: " + responseCode);
}
// Close the connection
connection.disconnect();
} catch (Exception e) {
e.printStackTrace();
}
}
}
Detailed explanation
import java.io.BufferedReader; import java.io.InputStreamReader;
: Import necessary classes to read data from the API.import java.net.HttpURLConnection; import java.net.URL;
: Import necessary classes to establish a connection to the API URL.URL url = new URL(apiUrl);
: Create a URL object with the API endpoint.HttpURLConnection connection = (HttpURLConnection) url.openConnection();
: Open a connection to the URL.connection.setRequestMethod("GET");
: Set the HTTP request method to GET.int responseCode = connection.getResponseCode();
: Get the response code from the server.BufferedReader in = new BufferedReader(new InputStreamReader(connection.getInputStream()));
: Read the JSON data returned by the API.System.out.println("JSON Data: " + response.toString());
: Display the JSON data returned by the API.
System Requirements
- Java version: 8 or later
Tips
- Always check the server response code to handle error situations.
- When working with complex JSON data, consider using libraries like
org.json
orGson
to handle JSON processing.