Introduction to Asynchronous JavaScript

November 7, 2023 (1y ago)

Understanding Asynchronous JavaScript

JavaScript is a single-threaded language, meaning it executes one operation at a time. However, in modern applications, we frequently deal with tasks like:

If JavaScript executed everything synchronously, these tasks would block the entire application until they were completed. To prevent this, JavaScript uses asynchronous programming, allowing operations to happen in the background while the rest of the code continues running.


Methods of Handling Asynchronous Code

There are three main ways to handle asynchronous tasks in JavaScript:

1. Callbacks (The Old Way)

A callback is a function passed as an argument to another function, executed after a task completes.

Example:

function fetchData(callback) {
  setTimeout(() => {
    callback("Data received");
  }, 2000);
}
 
fetchData((data) => {
  console.log(data); // "Data received" (after 2 seconds)
});

The downside? Callbacks often lead to callback hell, where functions are deeply nested, making the code hard to read and maintain.


2. Promises (A Better Approach)

A Promise represents a future value—it can be either resolved (successful) or rejected (failed).

Example:

function fetchData() {
  return new Promise((resolve, reject) => {
    setTimeout(() => {
      resolve("Data received");
    }, 2000);
  });
}
 
fetchData()
  .then((data) => console.log(data)) // "Data received" (after 2 seconds)
  .catch((error) => console.log(error));

Promises improve readability but can still become complex when chaining multiple .then() calls.


3. Async/Await (The Best Approach)

Introduced in ES2017, async/await makes asynchronous code look and behave more like synchronous code.

Example:

async function fetchData() {
  return new Promise((resolve) => {
    setTimeout(() => resolve("Data received"), 2000);
  });
}
 
async function displayData() {
  const data = await fetchData();
  console.log(data); // "Data received" (after 2 seconds)
}
 
displayData();

The await keyword pauses execution until the fetchData() function resolves, making the code much cleaner and easier to follow.


Conclusion

Asynchronous programming is essential for handling time-consuming tasks efficiently in JavaScript.