OverviewGenerally speaking, in development, querying network API operations is often time-consuming, which means that it may take some time to wait for a response. Therefore, in order to avoid the situation where the program is unresponsive when requested, asynchronous programming becomes a basic skill for developers. When dealing with asynchronous operations in JavaScript, we often hear the concept of "Promise". But understanding how it works and how to use it can be abstract and difficult to understand. Four examplesWell, in this article we will use a practical way to enable you to understand their concepts and usage more quickly, so unlike many traditional dry tutorials, we will start with the following four examples:
Example 1: Promise basics explained with birthdaysFirst, let's take a look at the basic form of Promise. When a Promise is executed, it is divided into three states: pending (in execution), fulfilled (successful), and rejected (failed). new Promise(function(resolve, reject) { if (/* asynchronous operation successful*/) { resolve(value); //Change the state of Promise from padding to fulfilled } else { reject(error); //Change the state of Promise from padding to rejected } }) There are three prototype methods in the implementation: then, catch, and finally promise .then((result) => { //promise is accepted or rejected to continue execution}) .catch((error) => { //promise is rejected}) .finally (() => { //When promise is fulfilled, it will be executed anyway}) Now that we have introduced the basic form, let's take a look at the following examples. User Story: My friend Kayo promised to bake a cake for me at my birthday party in two weeks. If everything goes well and Kayo is not sick, we will get a certain amount of cake, but if Kayo is sick, we will have no cake. But with or without a cake, we will still have a birthday party. So for this example, let's translate the background story above into JS code. First, let's create a function that returns a Promise. const onMyBirthday = (isKayoSick) => { return new Promise((resolve, reject) => { setTimeout(() => { if (!isKayoSick) { resolve(2); } else { reject(new Error("I am sad")); } }, 2000); }); }; In JavaScript, we can create a new Promise using new Promise(), which accepts a function with a parameter: (resolve, reject) => {}. In this function, resolve and reject are callback functions provided by default. Let's take a closer look at the above code. When we run the onMyBirthday function 2000ms later.
Now, because onMyBirthday() returns a Promise, we have access to the then, catch, and finally methods. We can also access the arguments passed to resolve and reject earlier in then and catch. Let us understand the concept through the following code If Kayo hadn't been sick onMyBirthday(false) .then((result) => { console.log(`I have ${result} cakes`); // console prints "I have 2 cakes" }) .catch((error) => { console.log(error); // not executed}) .finally(() => { console.log("Party"); // The console prints "Party" }); If Kayo is sick onMyBirthday(true) .then((result) => { console.log(`I have ${result} cakes`); // not executed}) .catch((error) => { console.log(error); // The console prints "I'm sad" }) .finally(() => { console.log("Party"); // The console prints "Party" }); I believe that through this example you can understand the basic concept of Promise. Example 2: A number guessing gameBasic requirements:
For the above requirements, we first create an enterNumber function and return a Promise: const enterNumber = () => { return new Promise((resolve, reject) => { // Start coding here }); }; The first thing we do is ask the user for a number and randomly select a number between 1 and 6: const enterNumber = () => { return new Promise((resolve, reject) => { const userNumber = Number(window.prompt("Enter a number (1 - 6):")); // Ask the user for a number const randomNumber = Math.floor(Math.random() * 6 + 1); // Pick a random number from 1 to 6 }); }; When the user enters a value that is not a number. In this case, we call the reject function and throw an error: const enterNumber = () => { return new Promise((resolve, reject) => { const userNumber = Number(window.prompt("Enter a number (1 - 6):")); // Ask the user for a number const randomNumber = Math.floor(Math.random() * 6 + 1); // Choose a random number from 1 to 6 if (isNaN(userNumber)) { reject(new Error("Wrong Input Type")); // When the value entered by the user is not a number, an exception is thrown and the reject function is called} }); }; Next, we need to check if userNumber is equal to RanomNumber, if so, we give the user 2 points, and then we can execute the resolve function passing an object { points: 2, randomNumber }. If userNumber differs from randomNumber by 1, then we give the user 1 point. Otherwise, we give the user 0 points. return new Promise((resolve, reject) => { const userNumber = Number(window.prompt("Enter a number (1 - 6):")); // Ask the user for a number const randomNumber = Math.floor(Math.random() * 6 + 1); // Pick a random number from 1 to 6 if (isNaN(userNumber)) { reject(new Error("Wrong Input Type")); // When the value entered by the user is not a number, an exception is thrown and the reject function is called} if (userNumber === randomNumber) { // If they are equal, we give the user 2 points resolve({ points: 2, randomNumber, }); } else if ( userNumber === randomNumber - 1 || userNumber === randomNumber + 1 ) { // If the difference between userNumber and randomNumber is 1, then we give the user 1 point resolve({ points: 1, randomNumber, }); } else { // Otherwise the user gets 0 points resolve({ points: 0, randomNumber, }); } }); Next, let's create another function to ask the user if they want to continue the game: const continueGame = () => { return new Promise((resolve) => { if (window.confirm("Do you want to continue?")) { // Ask the user if they want to continue the game resolve(true); } else { resolve(false); } }); }; In order to prevent the game from being forced to end, the Promise we created does not use the Reject callback. Next, we create a function to handle the guessing logic: const handleGuess = () => { enterNumber() // Returns a Promise object.then((result) => { alert(`Dice: ${result.randomNumber}: you got ${result.points} points`); // When resolve runs, we get the user's score and the random number // Ask the user if they want to continue the game continueGame().then((result) => { if (result) { handleGuess(); // If yes, game continues } else { alert("Game ends"); // If no, pop up the game end box} }); }) .catch((error) => alert(error)); }; handleGuess(); // Execute handleGuess function Here when we call the handleGuess function, enterNumber() returns a Promise object. If the Promise status is resolved, we call the then method to inform the user of the guessing result and score, and ask the user whether to continue the game. If the Promise status is rejected, we will display a message to the user that the input was incorrect. However, although such code can solve the problem, it is still a bit difficult to read. Let's refactor hanldeGuess to use async/await later. There are already many explanations of async/await on the Internet. Here I would like to explain it in a simple and general way: async/await is a syntactic sugar that can turn complex and difficult-to-understand asynchronous code into synchronous-like syntax. Let's start looking at the refactored code: const handleGuess = async () => { try { const result = await enterNumber(); // Instead of the then method, we just need to put await before promise to get the result directly alert(`Dice: ${result.randomNumber}: you got ${result.points} points`); const isContinuing = await continueGame(); if (isContinuing) { handleGuess(); } else { alert("Game ends"); } } catch (error) { // The catch method can be replaced by try, catch function alert(error); } }; By using the async keyword before the function, we create an asynchronous function. The usage inside the function is different from before as follows:
Here is the complete code after our refactoring for reference: const enterNumber = () => { return new Promise((resolve, reject) => { const userNumber = Number(window.prompt("Enter a number (1 - 6):")); // Ask the user for a number const randomNumber = Math.floor(Math.random() * 6 + 1); // The system randomly selects a number from 1 to 6 if (isNaN(userNumber)) { reject(new Error("Wrong Input Type")); // Throws an error if the user inputs a non-digit number} if (userNumber === randomNumber) { // If the user guesses the number correctly, give the user 2 points resolve({ points: 2, randomNumber, }); } else if ( userNumber === randomNumber - 1 || userNumber === randomNumber + 1 ) { // If userNumber differs from randomNumber by 1, we give the user 1 point resolve({ points: 1, randomNumber, }); } else { // Incorrect, score 0 resolve({ points: 0, randomNumber, }); } }); }; const continueGame = () => { return new Promise((resolve) => { if (window.confirm("Do you want to continue?")) { // Ask the user if they want to continue the game resolve(true); } else { resolve(false); } }); }; const handleGuess = async () => { try { const result = await enterNumber(); // await replaces the then function alert(`Dice: ${result.randomNumber}: you got ${result.points} points`); const isContinuing = await continueGame(); if (isContinuing) { handleGuess(); } else { alert("Game ends"); } } catch (error) { // The catch method can be replaced by try, catch function alert(error); } }; handleGuess(); // Execute handleGuess function Now that we have completed the second example, let's move on to the third example. Example 3: Get country information from Web APIOften when fetching data from an API, developers will make good use of Promises. If you open https://restcountries.eu/rest/v2/alpha/cn in a new window, you will see the country data in JSON format. By using the Fetch API, we can easily get the data. Here is the code: const fetchData = async () => { const res = await fetch("https://restcountries.eu/rest/v2/alpha/cn"); // fetch() returns a promise, so we need to wait for it const country = await res.json(); // res is now only an HTTP response, so we need to call res.json() console.log(country); // China's data will be logged to the dev console }; fetchData(); Now that we have the country data we need, let’s move on to our last task. Example 4: Get a list of neighboring countries for a country from the Web APIThe following fetchCountry function obtains the country information from the API in Example 3. The parameter alpha3Code is the country code of the country. The following is the code // Task 4: Get information about neighboring countries around China const fetchCountry = async (alpha3Code) => { try { const res = await fetch( `https://restcountries.eu/rest/v2/alpha/${alpha3Code}` ); const data = await res.json(); return data; } catch (error) { console.log(error); } }; Let's create a fetchCountryAndNeighbors function to fetch the information for China by passing cn as the alpha3code. const fetchCountryAndNeighbors = async () => { const china = await fetchCountry("cn"); console.log(china); }; fetchCountryAndNeighbors(); In the console, we look at the object contents: In the object, there is a border property which is a list of alpha3codes of China's neighboring countries. Now, if we try to get the neighboring countries information in the following way. const neighbors =china.borders.map((border) => fetchCountry(border)); neighbors is an array of Promise objects. When dealing with an array of Promises, we need to use Promise.all. const fetchCountryAndNeigbors = async () => { const china = await fetchCountry("cn"); const neighbors = await Promise.all( china.borders.map((border) => fetchCountry(border)) ); console.log(neighbors); }; fetchCountryAndNeigbors(); In the console, we should be able to see a list of Country objects. Here is all the code for Example 4 for your reference: const fetchCountry = async (alpha3Code) => { try { const res = await fetch( `https://restcountries.eu/rest/v2/alpha/${alpha3Code}` ); const data = await res.json(); return data; } catch (error) { console.log(error); } }; const fetchCountryAndNeigbors = async () => { const china = await fetchCountry("cn"); const neighbors = await Promise.all( china.borders.map((border) => fetchCountry(border)) ); console.log(neighbors); }; fetchCountryAndNeigbors(); SummarizeAfter working through these 4 examples, you can see that Promises are useful when dealing with asynchronous operations, or things that don't happen at the same time. I believe that with continuous practice, your understanding of it will become deeper and stronger. I hope this article can help you understand Promise and Async/Await. Here is the code used in this article: https://files.cnblogs.com/files/powertoolsteam/Promise-Async-Await-main.zip The above is a detailed explanation of JavaScript Promise and Async/Await. For more information about JavaScript Promise and Async/Await, please pay attention to other related articles on 123WORDPRESS.COM! You may also be interested in:
|
<<: How to configure multiple tomcats with Nginx load balancing under Linux
>>: How to configure the My.ini file when installing MySQL5.6.17 database
width: auto The child element (including content+...
1. Log in to mysql: mysql -u root -h 127.0.0.1 -p...
What is volume? Volume means capacity in English,...
Table of contents 1. Add attributes 2. Merge mult...
Background: Make a little progress every day, acc...
Table of contents Events in js Event Type Common ...
The LIKE operator is used in the WHERE clause to ...
How to change the password in MySQL 5.7.18: 1. Fi...
Table of contents Preface Relationships between v...
First look at the effect diagram: The complete co...
Table of contents Preface text 1. Global Registra...
[LeetCode] 183.Customers Who Never Order Suppose ...
MySQL Limit can query database data in segments a...
1 Mysql5.6 1.1 Related parameters MySQL 5.6 adds ...
Table of contents 1. What is Dockerfile? 2. Analy...