Filtering an array with a function that returns a promise

前端 未结 15 1395
遇见更好的自我
遇见更好的自我 2020-11-28 13:22

Given

let arr = [1,2,3];

function filter(num) {
  return new Promise((res, rej) => {
    setTimeout(() => {
      if( num === 3 ) {
        res(num);
         


        
15条回答
  •  半阙折子戏
    2020-11-28 13:52

    Here is a 2017 elegant solution using async/await :

    Very straightforward usage:

    const results = await filter(myArray, async num => {
      await doAsyncStuff()
      return num > 2
    })
    

    The helper function (copy this into your web page):

    async function filter(arr, callback) {
      const fail = Symbol()
      return (await Promise.all(arr.map(async item => (await callback(item)) ? item : fail))).filter(i=>i!==fail)
    }
    

    Demo:

    // Async IIFE
    (async function() {
      const myArray = [1, 2, 3, 4, 5]
    
      // This is exactly what you'd expect to write 
      const results = await filter(myArray, async num => {
        await doAsyncStuff()
        return num > 2
      })
    
      console.log(results)
    })()
    
    
    // Arbitrary asynchronous function
    function doAsyncStuff() {
      return Promise.resolve()
    }
    
    
    // The helper function
    async function filter(arr, callback) {
      const fail = Symbol()
      return (await Promise.all(arr.map(async item => (await callback(item)) ? item : fail))).filter(i=>i!==fail)
    }

    I'll even throw in a CodePen.

提交回复
热议问题