Использование l oop с асинхронным ожиданием внутри l oop + nodejs - PullRequest
0 голосов
/ 12 марта 2020

Привет в моем nodejs API. Мне нужно получить данные внутри l oop, а затем снова нужно сделать al oop и сохранить данные в другой таблице, как мне этого добиться? Вот некоторый фрагмент, который я пробовал, но не удалось для того же

async myAPIname(){
    let _this = this;
    try {

        const bets = await Bet.find({gameId:ObjectId(request.matchId)}).lean()

        bets.map(async (bet) => {
            let Users  = await Users.findOne({_id:ObjectId(element.userId)}).lean();
            Users.parentTree.map(async (user) => {
                console.log(user);
                // also over here based on the some calculation need to save the data in another table
            })
        })

    } catch (error) {
        _this.res.send({ status: 0, message: error });
    }

}

Также в приведенном выше фрагменте пробовал также с foreach l oop, но не удалось, и ошибка сверху sp inet как это:

(node:30886) UnhandledPromiseRejectionWarning: ReferenceError: Cannot access 'Users' before initialization
at /var/www/html/api/app/controllers/SomeController.js:228:30
at Array.map (<anonymous>)
at SomeController.myAPIname (/var/www/html/api/app/controllers/SomeController.js:227:18)
at processTicksAndRejections (internal/process/task_queues.js:97:5)

(node:30886) UnhandledPromiseRejectionWarning: Unhandled promise rejection. This error originated either by throwing inside of an async function without a catch block, or by rejecting a promise which was not handled with .catch(). To terminate the node process on unhandled promise rejection, use the CLI flag `--unhandled-rejections=strict` (see https://nodejs.org/api/cli.html#cli_unhandled_rejections_mode). (rejection id: 1)

(node:30886) [DEP0018] DeprecationWarning: Unhandled promise rejections are deprecated. In the future, promise rejections that are not handled will terminate the Node.js process with a non-zero exit code.
(node:30886) UnhandledPromiseRejectionWarning: TypeError: Assignment to constant variable.
    at /var/www/html/api/app/controllers/SomeController.js:220:27
    at processTicksAndRejections (internal/process/task_queues.js:97:5)
(node:30886) UnhandledPromiseRejectionWarning: Unhandled promise rejection. This error originated either by throwing inside of an async function without a catch block, or by rejecting a promise which was not handled with .catch(). To terminate the node process on unhandled promise rejection, use the CLI flag `--unhandled-rejections=strict` (see https://nodejs.org/api/cli.html#cli_unhandled_rejections_mode). (rejection id: 2)

Любая помощь будет очень ценится

Ответы [ 2 ]

1 голос
/ 12 марта 2020

Я вижу две проблемы:

во-первых, ожидание внутри вызова карты не работает так, как вы думаете. Это будет хорошо работать в for-of l oop, но не на карте, foreach et c.

https://zellwk.com/blog/async-await-in-loops/ имеет хорошее объяснение, как и везде.

Во-вторых, когда вы вызываете let Users = Users.findOne, компилятор считает, что Users с левой стороны назначения совпадает с Users с правой стороны, поэтому он жалуется, что при вызове Users.findOne , Пользователи не инициализированы.

0 голосов
/ 12 марта 2020

для использования асинхронной обработки с Array.prototype.map() вы должны обернуть его с Promise.all() и дождаться его выполнения.

!! однако обратите внимание, что итерации выполняются асинхронно, не ожидая завершения предыдущей итерации.

const sleep = async (time = 3000) => new Promise(resolve => setTimeout(resolve, time));

(async () => {
  const array = [1,3,4,2];
  console.log('start', array);
  const mapped =await Promise.all(array.map(async e => {
    await sleep(e * 1000);
    console.log(e);
    return `done for ${e}`;
  }));
  console.log('end', mapped);
})();
...