пустой массив вне вложенного обещания разрешения - PullRequest
0 голосов
/ 17 октября 2018

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

function categoriesSearch(req, res, next) {
    let categories = req.batch_categories;
    let catWithItems = [];
    _.forEach(categories, (category) => {
        return new Promise(resolve => {
            pos.categoriesSearch(req.tenant, category.id)
            .then(item => {
                if(item) category.items = item[0];
                return category;
            })
            .then(category => {
                catWithItems.push(category);
                console.log(catWithItems); //this is works inside here
                return resolve(catWithItems);
            });
        });
    });
    console.log(catWithItems); //doesn't work returns empty array
    res.json({categoryWithItems: catWithItems });
}

Это модуль поиска pos.categoriesSearch.он делает API-вызов к квадрату. (это работает, как ожидалось)

function categoriesSearch(tenant, category) {
    let search_items_url = ${tenant.square.api.v2}/catalog/search,
        apiKey = tenant.square.api.key,
        payload = {
            "object_types": ["ITEM"],
            "query": {
                "prefix_query": {
                    "attribute_name": "category_id",
                    "attribute_prefix": category
                }
            },
            "search_max_page_limit": 1
        },
        conf = config(search_items_url, apiKey, payload);
        return request.postAsync(conf)
        .then(items => {
            return items.body.objects;
        });
}

Ответы [ 2 ]

0 голосов
/ 18 октября 2018

Это должно быть намного проще.Не уверен, что это работает, но с чего начать:

function categoriesSearch(req, res) {
    const categoryWithItems$ = req.batch_categories.map(category =>
        pos.categoriesSearch(req.tenant, category.id)
            .then(item => ({ ...category, items: item[0] })
    );

    Promise.all(categoryWithItems$)
        .then(categoryWithItems => res.json({ categoryWithItems });
}
0 голосов
/ 17 октября 2018

Вы не правильно выполняете обещания.Попробуйте это так.

function categoriesSearch(req, res, next) {
    let categories = req.batch_categories;
    let promiseArray = []; // create an array to throw your promises in
    let catWithItems = [];
    categories.map((category) => {
        let promise = new Promise(resolve => {
            pos.categoriesSearch(req.tenant, category.id)
            .then(item => {
                if(item) category.items = item[0];
                return category;
            })
            .then(category => {
                catWithItems.push(category);
                console.log(catWithItems); //this is works inside here
                return resolve(catWithItems);
            });
        });
        promiseArray.push(promise) // add promises to array
    });
    // resolve all promises in parallel
    Promise.all(promiseArray).then((resolved) => {
       console.log(resolved);
       res.json({categoryWithItems: catWithItems });
    })
}
...