Async/Await

This approach utilizes the async and await keywords to write asynchronous code in a synchronous style.

Syntax:

async function addPromises(promise1, promise2) {
try {
const value1 = await promise1;
const value2 = await promise2;
return value1 + value2;
} catch (error) {
// Handle any errors
}
}

// Usage
addPromises(promise1, promise2)
.then((result) => {
// Handle the result
})
.catch((error) => {
console.error(error);
});

Example: In this example, adding the results of two promises in JavaScript using the Async/Await method.

JavaScript
const promise1 = new Promise((resolve) => {
    setTimeout(() => {
        resolve(5);
    }, 1000);
});

const promise2 = new Promise((resolve) => {
    setTimeout(() => {
        resolve(10);
    }, 2000);
});

async function addPromises(promise1, promise2) {
    try {
        const value1 = await promise1;
        const value2 = await promise2;
        return value1 + value2;
    } catch (error) {
        console.error(error);
    }
}

addPromises(promise1, promise2)
    .then((result) => {
        console.log(` The sum of two number is:${result}`);
    })
    .catch((error) => {
        console.error(error);
    });

Output:

The sum of two number using Async and Await in JavaScript.



JavaScript Program to Add Two Promises

JavaScript Promises provide a powerful tool for asynchronous programming, allowing developers to work with values that may not be immediately available.

We’ll discuss multiple approaches to solve this problem, examining their syntax and providing examples for each approach.

Table of Content

  • Chaining
  • Promise.all():
  • Async/Await

Similar Reads

Chaining

In this approach, we chain promises together using .then() to access the resolved values and perform the addition operation....

Promise.all()

This approach involves using Promise.all() to wait for both promises to resolve and then perform the addition operation....

Async/Await

This approach utilizes the async and await keywords to write asynchronous code in a synchronous style....

Contact Us