Async/Await in JavaScript: Full Explanation

Table of contents
- Introduction to Async/Await
- What is Async/Await?
- Syntax of Async/Await
- How Does Async/Await Work?
- Benefits of Using Async/Await
- Examples of Async/Await in Real Life
- Common Use Cases of Async/Await
- Conclusion
- Advanced Examples of Async/Await with Detailed Explanations
- 1. Parallel API Calls with Dependency Between Them
- 2. Async/Await with File Uploads in Node.js
- 3. Async/Await with Rate Limiting (Controlling Concurrency)
- 4. Chaining Multiple Asynchronous Tasks with Dependent Results
- 5. Async/Await with Timers (SetTimeout Simulation)
- 6. Async/Await with Web Scraping and Data Processing
- Conclusion
Introduction to Async/Await
async
and await
are modern JavaScript features that simplify working with asynchronous code, making it look and behave more like synchronous code, which is easier to read and understand. These features are built on Promises and are part of ES6 and later versions of JavaScript.
Before async/await
, handling asynchronous tasks in JavaScript (like HTTP requests, reading files, or waiting for timers) often required using callbacks or .then()
methods in Promises. This made the code difficult to manage and prone to errors, especially with nested callbacks (also known as "callback hell").
What is Async/Await?
async
:The
async
keyword is used to define a function as asynchronous.An
async
function always returns a Promise, whether you explicitly return a Promise or a normal value. If a normal value is returned, it gets wrapped in a resolved Promise.
await
:The
await
keyword can only be used insideasync
functions.It pauses the execution of the async function and waits for the Promise to resolve (or reject). It only works with promises, meaning it makes asynchronous code look synchronous.
Syntax of Async/Await
Creating an Async Function:
javascriptCopyasync function myFunction() { // asynchronous code here }
Using Await Inside Async Function:
javascriptCopyasync function fetchData() { let data = await fetch('https://api.example.com'); let jsonData = await data.json(); return jsonData; }
How Does Async/Await Work?
The
async
function always returns a Promise. If the function returns a value, it’s wrapped in a resolved Promise automatically.The
await
keyword is used inside anasync
function to wait for the result of a promise. The execution of theasync
function will pause until the Promise resolves (or rejects). If the Promise resolves, the value of the Promise is returned; if it rejects, the error is thrown.
Benefits of Using Async/Await
Improved Readability: The code is cleaner and looks synchronous, making it easier to understand.
Avoid Callback Hell: No nested callbacks, leading to better organization and error handling.
Error Handling: You can use
try/catch
blocks for error handling, similar to synchronous code, making error management easier.Control Flow: It gives better control over asynchronous functions, improving sequence management.
Examples of Async/Await in Real Life
Here are 4-5 practical examples of how async/await
can be used in real-life scenarios:
1. Fetching Data from an API
Imagine you are fetching user data from an API. Here’s how you can use async/await:
javascriptCopyasync function getUserData() {
try {
let response = await fetch('https://jsonplaceholder.typicode.com/users');
let users = await response.json();
console.log(users); // Prints user data
} catch (error) {
console.log('Error fetching data: ', error);
}
}
getUserData();
- Explanation: The
await
pauses execution of the function until thefetch()
call completes and returns the user data.
2. Handling Multiple API Calls Concurrently
If you need to make multiple asynchronous requests at the same time, you can use Promise.all()
to run them in parallel.
javascriptCopyasync function fetchMultipleData() {
try {
let [users, posts] = await Promise.all([
fetch('https://jsonplaceholder.typicode.com/users').then(res => res.json()),
fetch('https://jsonplaceholder.typicode.com/posts').then(res => res.json())
]);
console.log(users); // User data
console.log(posts); // Post data
} catch (error) {
console.log('Error: ', error);
}
}
fetchMultipleData();
- Explanation:
Promise.all()
runs both requests in parallel, andawait
waits for both to complete.
3. Reading Files Asynchronously in Node.js
You can use async/await to read files asynchronously in Node.js.
javascriptCopyconst fs = require('fs').promises;
async function readFileAsync() {
try {
let data = await fs.readFile('example.txt', 'utf8');
console.log(data);
} catch (error) {
console.log('Error reading file: ', error);
}
}
readFileAsync();
- Explanation:
fs.readFile
returns a Promise, andawait
ensures we wait for the file content before proceeding.
4. Delayed Execution with setTimeout (Simulating a Delay)
javascriptCopyfunction delay(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}
async function delayedAction() {
console.log('Starting...');
await delay(2000); // Wait for 2 seconds
console.log('Action completed after 2 seconds');
}
delayedAction();
- Explanation: This simulates a delay in your code by using
await
with a Promise that resolves after a certain time.
5. Error Handling with Async/Await (Try/Catch)
javascriptCopyasync function fetchData() {
try {
let response = await fetch('https://api.invalidurl.com');
if (!response.ok) {
throw new Error('Network response was not ok');
}
let data = await response.json();
console.log(data);
} catch (error) {
console.log('Error occurred: ', error);
}
}
fetchData();
- Explanation: The
try/catch
block ensures that any error during the asynchronous operations (e.g., network failure) is properly handled.
Common Use Cases of Async/Await
Fetching Data from APIs: As seen in the above examples, it is the most common use of async/await.
Database Queries: For querying databases asynchronously, like fetching data from MongoDB or MySQL.
File Handling: Reading and writing files asynchronously in Node.js.
Processing Data: Performing computations that involve asynchronous tasks like processing images or videos.
Timers and Delays: When using
setTimeout
orsetInterval
for delaying actions in the code.
Conclusion
In summary, async/await
helps write cleaner, more readable asynchronous code. It simplifies error handling, avoids callback hell, and makes the flow of asynchronous functions easier to manage.
By using async
and await
, you can handle multiple asynchronous operations (like fetching data, reading files, or performing other I/O tasks) in a more readable and maintainable way, and you can treat asynchronous code like it's synchronous—without the callback complexity.
Advanced Examples of Async/Await with Detailed Explanations
Here are even more advanced examples using async/await
in JavaScript. I will explain each example thoroughly to help you understand the concepts in detail.
1. Parallel API Calls with Dependency Between Them
Imagine you're fetching a list of user IDs from an API, and then, based on those IDs, you need to fetch each user’s detailed information in parallel. However, you must first get the list of IDs.
javascriptCopyasync function getUserIDs() {
let response = await fetch('https://jsonplaceholder.typicode.com/users');
let users = await response.json();
return users.map(user => user.id);
}
async function getUserDetails(userId) {
let response = await fetch(`https://jsonplaceholder.typicode.com/users/${userId}`);
return await response.json();
}
async function getAllUserDetails() {
try {
let userIds = await getUserIDs(); // First, get the list of user IDs
// Now, fetch user details for each user in parallel
let userDetails = await Promise.all(userIds.map(id => getUserDetails(id)));
console.log(userDetails); // Prints the list of user details
} catch (error) {
console.log('Error:', error);
}
}
getAllUserDetails();
Explanation:
getUserIDs()
fetches a list of users and returns an array of their IDs.getUserDetails()
fetches detailed information for a given user ID.getAllUserDetails()
first fetches the list of user IDs and then usesPromise.all()
to fetch the details of each user in parallel.
In this example:
Promise.all()
allows multiple API calls to run concurrently, improving performance. It waits for all the promises to resolve and then processes the results.
2. Async/Await with File Uploads in Node.js
In a Node.js application, imagine you're handling multiple file uploads. You can handle each file upload asynchronously, but you may want to wait for all the uploads to complete before proceeding.
javascriptCopyconst fs = require('fs').promises;
async function uploadFile(filePath) {
try {
const file = await fs.readFile(filePath);
// Simulate uploading file (replace with actual upload logic)
console.log(`Uploading ${filePath}`);
await new Promise(resolve => setTimeout(resolve, 1000)); // Simulate upload delay
console.log(`File ${filePath} uploaded successfully!`);
} catch (error) {
console.log(`Error uploading ${filePath}:`, error);
}
}
async function uploadAllFiles(filePaths) {
try {
// Using Promise.all to handle multiple file uploads concurrently
await Promise.all(filePaths.map(filePath => uploadFile(filePath)));
console.log('All files uploaded successfully!');
} catch (error) {
console.log('Error in uploading files:', error);
}
}
const filesToUpload = ['file1.txt', 'file2.txt', 'file3.txt'];
uploadAllFiles(filesToUpload);
Explanation:
uploadFile()
simulates uploading a file by reading it asynchronously and then simulating the upload process with a delay.uploadAllFiles()
handles multiple file uploads concurrently usingPromise.all()
, so all files are uploaded in parallel.This example is a good demonstration of concurrent asynchronous operations.
3. Async/Await with Rate Limiting (Controlling Concurrency)
In situations where you don’t want to overwhelm a server with too many requests at once, you can control the concurrency by limiting how many async tasks run in parallel at any given time. Here’s how you can implement rate-limited concurrency.
javascriptCopyasync function fetchData(url) {
let response = await fetch(url);
let data = await response.json();
return data;
}
async function fetchWithConcurrencyLimit(urls, concurrencyLimit) {
const results = [];
const executing = [];
for (let url of urls) {
// Create a new promise for each request
const promise = fetchData(url).then(result => results.push(result));
executing.push(promise);
// If the number of executing promises reaches the concurrency limit, we wait for one to finish
if (executing.length >= concurrencyLimit) {
await Promise.race(executing); // Wait for the fastest promise to finish
executing.splice(executing.findIndex(p => p === promise), 1); // Remove it from the executing list
}
}
// Wait for all remaining promises to resolve
await Promise.all(executing);
return results;
}
async function main() {
const urls = [
'https://jsonplaceholder.typicode.com/posts/1',
'https://jsonplaceholder.typicode.com/posts/2',
'https://jsonplaceholder.typicode.com/posts/3',
'https://jsonplaceholder.typicode.com/posts/4'
];
const results = await fetchWithConcurrencyLimit(urls, 2); // Limit concurrency to 2
console.log(results);
}
main();
Explanation:
fetchData()
fetches data from a URL and returns the result.fetchWithConcurrencyLimit()
takes an array of URLs and aconcurrencyLimit
(in this case, 2). It usesPromise.race()
to make sure no more than 2 fetch requests are running concurrently. Once a fetch is completed, another one starts.The use of
Promise.race()
ensures that we limit the number of concurrent requests, which can help avoid overwhelming the server or API.
This is especially useful for APIs with rate-limiting constraints, where you want to avoid sending too many requests at once.
4. Chaining Multiple Asynchronous Tasks with Dependent Results
Sometimes you need to perform a series of async tasks, where the output of one task is required as input for the next task. Here’s an example where we first fetch user details, then use the user’s information to fetch their posts.
javascriptCopyasync function getUser(userId) {
let response = await fetch(`https://jsonplaceholder.typicode.com/users/${userId}`);
let user = await response.json();
return user;
}
async function getUserPosts(userId) {
let response = await fetch(`https://jsonplaceholder.typicode.com/posts?userId=${userId}`);
let posts = await response.json();
return posts;
}
async function getUserAndPosts(userId) {
try {
// First, get user data
const user = await getUser(userId);
console.log('User:', user);
// Then, get posts data based on userId
const posts = await getUserPosts(userId);
console.log('Posts:', posts);
} catch (error) {
console.log('Error:', error);
}
}
getUserAndPosts(1);
Explanation:
getUser()
fetches the user’s details by ID.getUserPosts()
fetches the posts associated with that user ID.getUserAndPosts()
first gets the user, then fetches the posts based on the user’s ID.This example demonstrates chaining asynchronous tasks where the output of one task is required for the next.
5. Async/Await with Timers (SetTimeout Simulation)
In some situations, you may want to simulate delays (e.g., waiting for a certain period before continuing execution). You can use setTimeout
combined with async/await to simulate such behavior.
javascriptCopyfunction delay(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}
async function run() {
console.log('Start');
await delay(1000); // Wait for 1 second
console.log('After 1 second');
await delay(2000); // Wait for 2 more seconds
console.log('After 2 more seconds');
}
run();
Explanation:
delay(ms)
creates a promise that resolves afterms
milliseconds, simulating a delay.run()
usesawait delay()
to introduce pauses in the code execution.This shows how you can control the flow of execution with delays using async/await.
6. Async/Await with Web Scraping and Data Processing
Suppose you want to scrape data from a website and process it asynchronously. Here's an example that fetches the HTML content of a page, extracts titles using cheerio
, and processes that data.
javascriptCopyconst axios = require('axios');
const cheerio = require('cheerio');
async function scrapeWebsite(url) {
try {
const { data } = await axios.get(url); // Fetch the HTML content of the page
const $ = cheerio.load(data); // Load the HTML content into cheerio for parsing
let titles = [];
$('h2').each((index, element) => { // Extract all h2 elements (assuming they are titles)
titles.push($(element).text());
});
return titles;
} catch (error) {
console.log('Error scraping website:', error);
}
}
async function main() {
const url = 'https://example.com';
const titles = await scrapeWebsite(url); // Scrape and process the website asynchronously
console.log('Article Titles:', titles);
}
main();
Explanation:
axios.get(url)
is used to fetch the HTML content from the given URL.cheerio.load(data)
loads the HTML content intocheerio
, allowing you to use jQuery-like syntax to extract data.$('h2').each()
processes eachh2
element on the page (assuming they are article titles) and stores the extracted titles in an array.
Conclusion
These advanced examples demonstrate the versatility of async/await
. You’ve seen:
Chaining async tasks where each task depends on the result of the previous one.
Handling parallel asynchronous operations with concurrency control (e.g., rate limiting).
Simulating delays in your asynchronous code with
setTimeout
.Web scraping and data processing with async functions.
By mastering these advanced patterns, you’ll be able to handle complex real-world asynchronous programming scenarios in JavaScript more effectively.
Subscribe to my newsletter
Read articles from Payal Porwal directly inside your inbox. Subscribe to the newsletter, and don't miss out.
Written by

Payal Porwal
Payal Porwal
Hi there, tech enthusiasts! I'm a passionate Software Developer driven by a love for continuous learning and innovation. I thrive on exploring new tools and technologies, pushing boundaries, and finding creative solutions to complex problems. What You'll Find Here On my Hashnode blog, I share: 🚀 In-depth explorations of emerging technologies 💡 Practical tutorials and how-to guides 🔧Insights on software development best practices 🚀Reviews of the latest tools and frameworks 💡 Personal experiences from real-world projects. Join me as we bridge imagination and implementation in the tech world. Whether you're a seasoned pro or just starting out, there's always something new to discover! Let’s connect and grow together! 🌟