How to Use the Fetch API for Beginners
Posted on March 27, 2025 • 5 min read • 1,057 wordsLearn how to use the Fetch API in JavaScript to make HTTP requests, handle data, and manage errors in this beginner-friendly guide.
The Fetch API is a modern JavaScript API that allows you to make HTTP requests, such as retrieving data from a server or sending data to it. As a beginner, using the Fetch API may seem intimidating, but it’s an essential skill for working with web applications that interact with external data.
The Fetch API provides an easy and efficient way to interact with web servers. It replaces the older XMLHttpRequest, providing a more modern, promise-based interface. Fetch is widely supported in modern browsers and can handle tasks like loading data from a server, sending data to a server, and managing requests and responses.
The basic syntax of a fetch request looks like this:
fetch(url, options)
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
To get data from an API, you use the fetch()
function and handle the response using .then()
:
fetch('https://api.example.com/data')
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
In this example:
'https://api.example.com/data'
is the API endpoint.response.json()
method converts the response to a JavaScript object..catch()
catches any errors that occur during the fetch operation.It’s important to handle errors while making HTTP requests. Fetch won’t reject an HTTP error status (like 404 or 500); instead, it will resolve the promise. That’s why you need to manually check the response.ok
property to verify if the request was successful.
fetch('https://api.example.com/data')
.then(response => {
if (!response.ok) {
throw new Error('Network response was not ok');
}
return response.json();
})
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
When a fetch request completes successfully, it returns a Response object. This object contains:
To send data to the server, you need to make a POST request. Here’s an example:
const data = {
username: 'user1',
password: 'password123'
};
fetch('https://api.example.com/login', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify(data)
})
.then(response => response.json())
.then(data => console.log('Success:', data))
.catch(error => console.error('Error:', error));
In this example:
'POST'
to send data to the server.JSON.stringify()
.If you need to send form data, you can use FormData
:
const formData = new FormData();
formData.append('username', 'user1');
formData.append('password', 'password123');
fetch('https://api.example.com/login', {
method: 'POST',
body: formData
})
.then(response => response.json())
.then(data => console.log('Success:', data))
.catch(error => console.error('Error:', error));
In addition to GET and POST, you can make other types of HTTP requests, such as PUT and DELETE.
A PUT request is used to update data on the server.
fetch('https://api.example.com/user/1', {
method: 'PUT',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({
username: 'updatedUser',
email: 'updated@example.com'
})
})
.then(response => response.json())
.then(data => console.log('Updated:', data))
.catch(error => console.error('Error:', error));
A DELETE request is used to delete data on the server.
fetch('https://api.example.com/user/1', {
method: 'DELETE'
})
.then(response => {
if (!response.ok) {
throw new Error('Failed to delete');
}
return response.json();
})
.then(data => console.log('Deleted:', data))
.catch(error => console.error('Error:', error));
Headers are used to provide metadata about the request or response, such as content type or authentication details. In Fetch, you can modify headers with the headers
option.
Example:
fetch('https://api.example.com/data', {
method: 'GET',
headers: {
'Authorization': 'Bearer your-token-here',
'Accept': 'application/json'
}
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
You can also set custom headers as needed:
fetch('https://api.example.com/data', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'X-Custom-Header': 'custom-value'
},
body: JSON.stringify({ key: 'value' })
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
When interacting with most APIs, data is exchanged in JSON format. Use response.json()
to parse the response as JSON:
fetch('https://api.example.com/data')
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
If you need to handle other formats, like plain text or Blob (binary data), use methods like response.text()
or response.blob()
.
For plain text:
fetch('https://api.example.com/text')
.then(response => response.text())
.then(text => console.log(text))
.catch(error => console.error('Error:', error));
Fetch doesn’t support timeouts natively, but you can implement one manually using Promise.race()
. Here’s how you can handle timeouts:
const fetchWithTimeout = (url, options, timeout = 5000) => {
const timeoutPromise = new Promise((_, reject) =>
setTimeout(() => reject('Request timed out'), timeout)
);
const fetchPromise = fetch(url, options);
return Promise.race([fetchPromise, timeoutPromise]);
};
fetchWithTimeout('https://api.example.com/data', { method: 'GET' })
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
You can cancel a request by using the AbortController
API:
const controller = new AbortController();
const signal = controller.signal;
fetch('https://api.example.com/data', { signal })
.then(response => response.json())
.then(data => console.log(data))
.catch(error => {
if (error.name === 'AbortError') {
console.log('Fetch aborted');
} else {
console.error('Error:', error);
}
});
// To abort the fetch request
controller.abort();
The Fetch API is a powerful tool for making HTTP requests in JavaScript. It provides a cleaner, promise-based approach to fetching and sending data to web servers, replacing the older XMLHttpRequest.