JavaScript and the Fetch API: A Quick Start

A visual representation of internet connectivity and data exchange, presented in an abstract manner to imply JavaScript and the Fetch API. The image consists of a large web or net-like structure, interconnected nodes signifying the network, with data packets flowing across, supporting indirect representation of the Fetch API. A large symbolic magnifying glass hovers above the network revealing the intricate details of the data flow, indicating the understanding and deciphering of JavaScript code. No text, brand names, logos or people are present in the image. It should convey the essence of a quick-start guide to JavaScript and Fetch API.

Understanding JavaScript Fetch API

The Fetch API is a modern interface that allows you to make HTTP requests to servers and handle responses seamlessly.

It replaces the older XMLHttpRequest, offering a simpler and cleaner syntax.

The Fetch API provides a more powerful and flexible feature set for working with HTTP requests.

With Fetch, you can make network requests to retrieve resources such as text, JSON, or even images from servers.

TLDR

To make a simple GET request using the Fetch API in JavaScript, use the following code:


fetch('https://api.example.com/data')
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

This code fetches data from the specified URL and logs the result.

Fetching Data with Fetch API

Making HTTP requests using the Fetch API is straightforward and concise.

You start by calling the fetch function with the URL of the resource you want to acquire.


fetch('https://api.example.com/data')
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

The fetch function returns a Promise that resolves to a Response object representing the response to the request.

The Response object contains useful methods to extract data, such as json(), text(), and blob().

Here, we use the json() method to parse the response as JSON.

The parsed data is then logged to the console.

Handling Different HTTP Methods

The Fetch API supports various HTTP methods, including GET, POST, PUT, PATCH, and DELETE.

To use a method other than GET, you must pass an options object as the second argument to the fetch function.


fetch('https://api.example.com/data', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({ key: 'value' })
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

This code makes a POST request to the specified URL with JSON data in the request body.

The headers property is used to set an appropriate Content-Type header for JSON data.

Error Handling

Error handling with the Fetch API is essential for robust applications.

If a network error occurs or the response is not successful, the catch block will execute.

To handle HTTP errors, check the ok property of the Response object.


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));

This code checks if the response is successful by evaluating the ok property.

If the response is not successful, an error is thrown.

The catch block then logs the error.

Advanced Fetch Techniques

The Fetch API allows you to handle more advanced scenarios, such as sending custom headers and handling credentials.

You can include custom headers by updating the headers property in the options object.


fetch('https://api.example.com/data', {
method: 'GET',
headers: {
'Authorization': 'Bearer token'
}
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

This code includes an Authorization header in the request.

You can handle credentials like cookies by setting the credentials property.


fetch('https://api.example.com/data', {
method: 'GET',
credentials: 'include'
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

This code sends cookies with the request by setting credentials to ‘include’.

Working with JSON Data

Fetching JSON data from an API endpoint is highly common.

The json() method of the Response object parses the JSON string into a JavaScript object.


fetch('https://api.example.com/data')
.then(response => response.json())
.then(data => {
console.log(data);
document.getElementById('content').innerText = JSON.stringify(data, null, 2);
})
.catch(error => console.error('Error:', error));

This code fetches data and displays it inside an HTML element with the ID ‘content’.

The JSON data is parsed and then converted to a formatted string for display.

FAQs
What is the Fetch API?

The Fetch API is a modern interface for making HTTP requests in JavaScript.

How do I make a GET request with Fetch?

Use the fetch function with the URL of the resource. Example:


fetch('https://api.example.com/data')
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

How do I handle errors with Fetch?

Check the ok property of the Response object and use the catch function for network errors. Example:


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));

Can I send headers with Fetch?

Yes, use the headers property in the options object. Example:


fetch('https://api.example.com/data', {
method: 'GET',
headers: {
'Authorization': 'Bearer token'
}
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

What methods does Fetch support?

Fetch supports various HTTP methods such as GET, POST, PUT, PATCH, and DELETE.

How do I send JSON data with Fetch?

Use the body property in the options object and set the Content-Type header. Example:


fetch('https://api.example.com/data', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({ key: 'value' })
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

Can I fetch binary data using Fetch?

Yes, you can fetch binary data using the blob() method of the Response object. Example:


fetch('https://api.example.com/image')
.then(response => response.blob())
.then(blob => {
const url = URL.createObjectURL(blob);
document.getElementById('image').src = url;
})
.catch(error => console.error('Error:', error));

How do I send credentials with Fetch?

Use the credentials property in the options object. Example:


fetch('https://api.example.com/data', {
method: 'GET',
credentials: 'include'
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

Understanding Async/Await with Fetch API

Using the Fetch API with async/await syntax can make your code cleaner and easier to understand.

Async/await allows you to write asynchronous code that looks like synchronous code.

Here is an example of how to use async/await with Fetch API:


async function fetchData() {
try {
const response = await fetch('https://api.example.com/data');
if (!response.ok) {
throw new Error('Network response was not ok.');
}
const data = await response.json();
console.log(data);
} catch (error) {
console.error('Error:', error);
}
}
fetchData();

This code uses async/await to make a GET request and handle errors gracefully.

The async function fetchData uses await to pause execution until fetch and response.json() are complete.

Using Fetch with FormData

The Fetch API can be used to send form data through a POST request.

FormData provides a way to easily construct a set of key/value pairs representing form fields and their values.

Here’s how you can use FormData with Fetch:


const formData = new FormData();
formData.append('username', 'exampleUser');
formData.append('password', 'examplePass');

fetch('https://api.example.com/login', {
method: 'POST',
body: formData
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

This code sends a POST request to the specified URL with form data.

The FormData object automatically sets the correct Content-Type header for form data.

Handling Large Data Sets with Fetch

When working with large data sets, it’s important to manage memory and performance efficiently.

Stream processing allows you to handle large data sets without loading the entire response into memory at once.

Here’s how you can handle large data sets with Fetch:


fetch('https://api.example.com/large-data')
.then(response => {
const reader = response.body.getReader();
return new ReadableStream({
start(controller) {
function push() {
reader.read().then(({ done, value }) => {
if (done) {
controller.close();
return;
}
controller.enqueue(value);
push();
});
}
push();
}
});
})
.then(stream => new Response(stream))
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

This code uses the ReadableStream API to process the response data in chunks.

The response body is read as a stream, and the chunks are processed as they arrive.

Uploading Files with Fetch

The Fetch API can also be used to upload files to a server.

You can use the File and FormData objects to handle file uploads.

Here’s an example:


const fileInput = document.querySelector('input[type="file"]');
const formData = new FormData();
formData.append('file', fileInput.files[0]);

fetch('https://api.example.com/upload', {
method: 'POST',
body: formData
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

This code uploads a selected file to the specified URL using the Fetch API and FormData.

The file is selected using an input element of type file.

Caching with Fetch

Effective caching can improve the performance of your applications by reducing the number of network requests.

The Fetch API allows you to specify caching options through the cache property in the options object.

Here’s how you can use caching with Fetch:


fetch('https://api.example.com/data', {
method: 'GET',
cache: 'force-cache'
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

This code uses the force-cache option to always use the cached response, if available.

Other valid values for the cache property include default, no-store, reload, no-cache, and only-if-cached.

Abort Controller for Fetch Requests

Sometimes, you need to cancel a Fetch request that is no longer required.

The AbortController API allows you to control the signal to abort a Fetch request.

Here’s an example:


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);
}
});

// Abort the fetch after 2 seconds
setTimeout(() => controller.abort(), 2000);

This code aborts the Fetch request after 2 seconds if the request is still pending.

The AbortController object is used to create a signal that is passed to the Fetch request.

FAQs
How do I use async/await with Fetch?

Use async/await in an async function to handle Fetch requests. Example:


async function fetchData() {
try {
const response = await fetch('https://api.example.com/data');
if (!response.ok) {
throw new Error('Network response was not ok.');
}
const data = await response.json();
console.log(data);
} catch (error) {
console.error('Error:', error);
}
}
fetchData();

How can I send form data using Fetch?

Use the FormData object to construct form data and include it in the Fetch request. Example:


const formData = new FormData();
formData.append('username', 'exampleUser');
formData.append('password', 'examplePass');

fetch('https://api.example.com/login', {
method: 'POST',
body: formData
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

How do I handle large data sets with Fetch?

Use the ReadableStream API to process large data sets in chunks. Example:


fetch('https://api.example.com/large-data')
.then(response => {
const reader = response.body.getReader();
return new ReadableStream({
start(controller) {
function push() {
reader.read().then(({ done, value }) => {
if (done) {
controller.close();
return;
}
controller.enqueue(value);
push();
});
}
push();
}
});
})
.then(stream => new Response(stream))
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

How can I upload files using Fetch?

Use the File and FormData objects to handle file uploads in Fetch. Example:


const fileInput = document.querySelector('input[type="file"]');
const formData = new FormData();
formData.append('file', fileInput.files[0]);

fetch('https://api.example.com/upload', {
method: 'POST',
body: formData
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

How do I enable caching with Fetch?

Specify caching options via the cache property in the options object. Example:


fetch('https://api.example.com/data', {
method: 'GET',
cache: 'force-cache'
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));

How do I abort a Fetch request?

Use the AbortController API to create a signal and abort the Fetch request. Example:


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);
}
});

// Abort the fetch after 2 seconds
setTimeout(() => controller.abort(), 2000);

Shop more on Amazon