Skip to content

Latest commit

 

History

History
68 lines (26 loc) · 1.35 KB

Asynchronous Programming with Promises and Async-Await.md

File metadata and controls

68 lines (26 loc) · 1.35 KB

Asynchronous Programming with Promises and Async/Await

a

Asynchronous programming allows your code to execute non-blocking I/O operations, which can improve the performance of your applications. JavaScript supports asynchronous programming through callbacks, but Promises and Async/Await provide more convenient and readable syntax.

Here is an example of using Promises:

function getUser(id) {

return new Promise((resolve, reject) => {

setTimeout(() => {

  resolve({ id: id, username: 'johnDoe' });

}, 2000);

});

}

getUser(1)

.then(user => console.log(user))

.catch(err => console.error(err));

In this example, the getUser function returns a Promise that resolves with a user object after 2 seconds. We use the .then() method to handle the resolved value and the .catch() method to handle any errors.

Here is the same example using Async/Await:

async function displayUser() {

try {

const user = await getUser(1);

console.log(user);

} catch (err) {

console.error(err);

}

}

displayUser();

In this example, the displayUser function is declared as async, which allows us to use the await keyword to wait for the Promise to resolve before continuing. We use a try/catch block to handle any errors.