How to use async and await correctly in JS loops

How to use async and await correctly in JS loops

Overview (Loop Mode - Common)

  • for
  • map
  • forEach
  • filter

Declare array and asynchronous method to iterate

Declare an array: ⬇️

const skills = ['js', 'vue', 'node', 'react']

Declare another promise asynchronous code: ⬇️

function getSkillPromise (value) {
  return new Promise((resolve, reject) => {
    setTimeout(() => {
      resolve(value)
    }, 1000)
  })
}

Use in for loop

Since the for loop is not a function, and async and await need to be used in functions, we need to wrap a layer of function inside the for loop.

async function test () {
  for (let i = 0; i < skills.length; i++) {
    const skill = skills[i]
    const res = await getSkillPromise(skill)
    console.log(res)
  }
}

test() // call 

When using await, you want JavaScript to pause execution until the awaited promise returns a result. The above result means that if there is asynchronous code in the for loop, you can wait until the asynchronous code in the for loop is completely run before executing the code after the for loop.

But it cannot handle callback loops, such as forEach, map, filter, etc. The following is a detailed analysis.

Use in map

When using await in map, the return value of map is always a promise array, because asynchronous functions always return promises.

async function test () {
  console.log('start')
  const res = skills.map(async item => {
    return await getSkillPromise(item)
  })
  console.log(res)
  console.log('end')
}

test()

Result: always an array of promises

start
[
  Promise { <pending> },
  Promise { <pending> },
  Promise { <pending> },
  Promise { <pending> }
]
end

If you want to wait until the promise is fulfilled, you can use promise.all() to handle it.

async function test () {
  console.log('start')
  const res = skills.map(async item => {
    return await getSkillPromise(item)
  })
  const resPromise = await Promise.all(res)
  console.log(resPromise)
  console.log('end')
}

test()

// Result start
[ 'js', 'vue', 'node', 'react' ]
end

Use in forEach

First, the code and results

async function test () {
  console.log('start')
  skills.forEach(async item => {
    const res = await getSkillPromise(item)
    console.log(res)
  })
  console.log('end')
}

test()

Expected Results

'Start'

'js'

'vue'

'node'

'react'

'End'

The actual result is that console.log('end') is executed before the forEach loop waits for the asynchronous result to be returned.

'Start'

'End'

'js'

'vue'

'node'

'react'

forEach in JavaScript does not support promise awareness, nor does it support async and await, so you cannot use await in forEach.

Use in filter

Use filter to filter item as vue or react option

Use filter normally:

async function test () {
  console.log('start')
  const res = skills.filter(item => {
    return ['vue', 'react'].includes(item)
  })
  console.log(res)
  console.log('end')
}

test() // call // result start
[ 'vue', 'react' ]
end

After using await:

async function test () {
  console.log('start')
  const res = skills.filter(async item => {
    const skill = await getSkillPromise(item)
    return ['vue', 'react'].includes(item)
  })
  console.log(res)
  console.log('end')
}

test()

Expected results:

start

[ 'vue', 'react' ]

end

Actual Result:

[ 'js', 'vue', 'node', 'react' ]

end

Conclusion: Because the promise returned by the asynchronous function getSkillPromise is always true, all options pass the filter.

Attached with usage summary

  1. If you want to execute await calls serially, use a for loop (or any loop without callbacks).
  2. Never use await with forEach, use a for loop (or any loop without callbacks) instead.
  3. Do not use await in filter and reduce. If necessary, use map to further process the result, and then use filter and reduce to process the result.

Conclusion: Due to the large form extraction component encountered in the work, asynchronous verification encountered this problem. Later, after consulting the data, the result was summarized

Summarize

This is the end of this article about the correct use of async and await in JS loops. For more relevant content about the use of async and await in JS loops, please search for previous articles on 123WORDPRESS.COM or continue to browse the related articles below. I hope you will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • How to use async await elegantly in JS
  • A more elegant error handling method in JavaScript async await
  • A simple and in-depth study of async and await in JavaScript
  • The use and methods of async and await in JavaScript
  • Detailed explanation of JavaScript Promise and Async/Await
  • How to use async and await in JS

<<:  Basic learning tutorial of table tag in HTML

>>:  Introduction to user management under Linux system

Recommend

Solution to the error when installing Docker on CentOS version

1. Version Information # cat /etc/system-release ...

How to build a tomcat image based on Dockerfile

Dockerfile is a file used to build a docker image...

Correct use of MySQL partition tables

Overview of MySQL Partitioned Tables We often enc...

Using CSS3 and JavaScript to develop web color picker example code

The web color picker function in this example use...

Docker Nginx container production and deployment implementation method

Quick Start 1. Find the nginx image on Docker Hub...

Priority analysis of and or queries in MySQL

This may be an issue that is easily overlooked. F...

How to create a virtual environment using virtualenv under Windows (two ways)

Operating system: windowns10_x64 Python version: ...

Detailed tutorial on building nextcloud private cloud storage network disk

Nextcloud is an open source and free private clou...

Vue implements fuzzy query-Mysql database data

Table of contents 1. Demand 2. Implementation 3. ...

Web design skills: iframe adaptive height problem

Maybe some people have not come across this issue ...

How to introduce scss into react project

First download the dependencies yarn add sass-loa...

How to use JavaScript to implement sorting algorithms

Table of contents Bubble Sort Selection Sort Inse...

Implementation method of Nginx+tomcat load balancing cluster

The experimental environment is as follows Here y...