You will get a clear understanding about working with any rest api and common concepts asked during interviews
Vivek Chavan
Last Updated Mar 7, 2025
REST APIs allow communication between client and server using HTTP methods like GET, POST, PUT, PATCH, and DELETE. The fetch API is a modern way to handle HTTP requests in JavaScript, providing a promise-based approach to fetch resources from the network.
The fetch API is a native JavaScript function for making network requests, returning a promise that resolves the response of the request.
It initiates a network request and returns a promise, which can be resolved to handle the response or rejected in case of errors.
GET request:The below code fetches a list of dog breeds, converts it into JSON, and logs into the console.
It logs an error in case the API fails because of any error from the server side or any network error.
Example:
fetch('https://dog.ceo/api/breeds/list/all')
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
fetch('https://dog.ceo/api/breeds/list/all')
.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('Fetch error:', error));
The POST method is used to send data to the server to create or update a resource.
POST request with fetchThe code below represents a POST call with an object payload to create a blog post
fetch('https://jsonplaceholder.typicode.com/posts', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({
title: 'foo',
body: 'bar',
userId: 1
})
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
PUT vs PATCH:
PUTis used to update an entire resource, whilePATCHis used to update only a part of the resource.
fetch('https://jsonplaceholder.typicode.com/posts/1', {
method: 'PUT',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({
id: 1,
title: 'foo',
body: 'bar',
userId: 1
})
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
// PATCH request to update a specific field
fetch('<https://jsonplaceholder.typicode.com/posts/1>', {
method: 'PATCH',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({ title: 'foo' })
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
Note:
The difference between "PUT" and "PATCH" is that PUT is Idempotent.
Repeat PUT API calls multiple times have No Effect on the data store, in contrast to the PATCH call, where multiple patch calls may impact the data store.
The DELETE HTTP method is used to remove a resource from a list of resources.
DELETE request example using fetch:In the below example, the DELETE call deletes a post with Id 1 on successful execution otherwise it will throw an Error "Failed to delete resource."
fetch('https://jsonplaceholder.typicode.com/posts/1', {
method: 'DELETE'
})
.then(response => {
if (response.ok) {
console.log('Resource deleted successfully');
} else {
throw new Error('Failed to delete resource');
}
})
.catch(error => console.error('Error:', error));
Parallel API calls play a very important role in improving the performance of the web application by parallelly calling multiple API calls simultaneously. In this approach, client should not wait for one after the other API call to complete and overall reduce the time to fetch the resources from the server.
This is an important concept to know for frontend machine coding rounds, where unrelated API calls should be called using fetch & Promise.all() to improve the overall application performance and response time.
Here is an example, where using fetch() and Promise.all() we can fetch both breeds and random dog images simultaneously.
const breedListUrl = 'https://dog.ceo/api/breeds/list/all';
const randomDogImageUrl = 'https://dog.ceo/api/breeds/image/random';
Promise.all([
fetch(breedListUrl).then(response => response.json()),
fetch(randomDogImageUrl).then(response => response.json())
])
.then(results => {
const [breeds, randomImage] = results;
console.log('Breeds:', breeds);
console.log('Random Dog Image:', randomImage);
})
.catch(error => console.error('Error with parallel fetch:', error));
In general, this is a best practice to have a retry mechanism enabled for API calls so that if in case there is a REST API call fails due to some network issue or some server internal error, That issue can be resolved with retry mechanisms.
Note: Retry is a nice-to-have feature while building applications with API calls in frontend machine coding rounds.
In the below example, we can have a common function (ex- fetchWithRetry(URL, options, retries = MAX_RETRIES) ) which triggers the API call "n" number of retries if there is any failure.
function fetchWithRetry(url, options = {}, retries = 3) {
return fetch(url, options).catch(error => {
if (retries > 0) {
console.log(`Retrying... (${retries} left)`);
return fetchWithRetry(url, options, retries - 1);
} else {
throw error;
}
});
}
fetchWithRetry('https://dog.ceo/api/breeds/list/all')
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Final fetch error:', error));
Retry Flow
Be the first to share your thoughts!
No comments yet.
Start the conversation!
Build Your Portfolio
Help the Community
Strengthen Your Skills
Share your knowledge by writing a blog or quick notes. Your contribution can help thousands of frontend developers ace their interviews and grow their careers! š
Anuj Sharma
Last Updated Nov 23, 2025
Explore code explanation of useToggle() custom hook in react to handle the toggle event efficiently.
Anuj Sharma
Last Updated Nov 24, 2025
Understand step by step how to flatten nested array in javascript using recursion, also explore the flatten of complex array of object.
Anuj Sharma
Last Updated Oct 2, 2025
Explore Polyfill for map, filter and reduce array methods in JavaScript. A detailed explanation of Map, filter and reduce polyfills in JS helps you to know the internal working of these array methods.
Anuj Sharma
Last Updated Nov 23, 2025
Find the step-by-step explanation of the useFetch custom hook in React that helps in fetching the data from an API and handling loading, error states.
Anuj Sharma
Last Updated Nov 23, 2025
Implement useThrottle Custom Hook In React (Interview) to limit the number of APi calls to improve the performance of application.
Alok Kumar Giri
Last Updated Jun 2, 2025
Code snippet examples which will help to grasp the concept of Hoisting in JavaScript, with solutions to understand how it works behind the scene.
Subscribe to FrontendGeek Hub for frontend interview preparation, interview experiences, curated resources and roadmaps.
Ā© 2025 FrontendGeek. All rights reserved