Handling Asynchronous Operations
Async JavaScript refers to techniques for handling asynchronous operations, which are tasks that take some time to complete without blocking the main thread. This allows your web page to remain responsive while waiting for these operations to finish.
There are two main ways to write asynchronous code in JavaScript:
Promises:
Promises are objects that represent the eventual completion (or failure) of an asynchronous operation. They provide a way to handle the result of the operation when it becomes available.
Async/Await:
Async/await is a syntactic sugar built on top of Promises that makes asynchronous code look more synchronous. It uses the async keyword to define asynchronous functions and the await keyword to pause execution until a Promise resolves.
Here's a breakdown of both approaches:
Promises:
Example:
function fetchData(url) {
return new Promise((resolve, reject) => {
setTimeout(() => {
const data = { message: "Data from " + url };
resolve(data); // Simulate successful data retrieval after a delay
}, 2000);
});
}
fetchData("https://example.com/api/data")
.then(data => {
console.log("Data received:", data);
})
.catch(error => {
console.error("Error fetching data:", error);
});
console.log("This line executes immediately");
Async/Await:
Example:
async function fetchData(url) {
try {
const response = await fetch(url); // Await the fetch call (assuming fetch is available)
const data = await response.json(); // Await conversion to JSON
return data;
} catch (error) {
console.error("Error fetching data:", error);
}
}
(async () => {
const data = await fetchData("https://example.com/api/data");
console.log("Data received:", data);
})();
console.log("This line executes immediately");