How to Fetch JSON Data from an API URL Using JavaScript
Learn how to fetch JSON data from an API URL using JavaScript. Includes detailed code and explanations for each line to help you understand how to use Fetch API for making GET requests and handling JSON data.
Here’s a JavaScript code snippet to fetch JSON content from an API URL using the GET method:
// Define a function to fetch JSON data from an API
async function fetchJsonData(url) {
try {
// Perform a GET request to the URL
const response = await fetch(url);
// Check if the request was successful
if (!response.ok) {
throw new Error('Network response was not ok');
}
// Convert the API response to JSON
const data = await response.json();
// Return the JSON data
return data;
} catch (error) {
// Handle any errors that occurred
console.error('There was a problem with the fetch operation:', error);
}
}
// Example usage with an API URL
const apiUrl = 'https://api.example.com/data';
fetchJsonData(apiUrl).then(data => {
console.log(data);
});
Explanation of Each Line of Code:
-
async function fetchJsonData(url) {
- Defines an asynchronous function
fetchJsonData
that takes aurl
parameter to fetch data from an API.
- Defines an asynchronous function
-
try {
- Begins a
try
block to handle any potential errors that may occur during data fetching.
- Begins a
-
const response = await fetch(url);
- Uses
fetch
to perform a GET request to the specified URL and waits for the response. The result is stored in theresponse
variable.
- Uses
-
if (!response.ok) {
- Checks if the response was not successful (status not in the 2xx range).
-
throw new Error('Network response was not ok');
- If the response was not successful, throws an error with an appropriate message.
-
const data = await response.json();
- Converts the API response to JSON format and stores it in the
data
variable.
- Converts the API response to JSON format and stores it in the
-
return data;
- Returns the JSON data that has been converted.
-
} catch (error) {
- Begins a
catch
block to handle any errors that may occur.
- Begins a
-
console.error('There was a problem with the fetch operation:', error);
- Logs the error to the console if there was a problem with the fetch operation.
-
const apiUrl = 'https://api.example.com/data';
- Defines the URL of the API you want to fetch data from.
-
fetchJsonData(apiUrl).then(data => {
- Calls the
fetchJsonData
function with the API URL and handles the returned data using.then
.
- Calls the
-
console.log(data);
- Logs the JSON data returned from the API to the console.
JavaScript Version:
The code is compatible with modern browsers supporting ES8 (ECMAScript 2017) and later versions. Make sure your browser supports async/await
and fetch
.