如何从这个承诺中返回数组?

时间:2017-03-08 19:04:56

标签: javascript bluebird es6-promise

我已经尝试了一些方法并且已经阅读了但我似乎无法弄清楚如何从这个函数返回names数组。

function getNames(oauth2Client, docs) {
const api = x('v1');

let names = [];

return Promise.each(docs, function(doc) {
        let req = api.users.messages.get;

        let options = ({
            auth: oauth2Client,
            'userId': 'me',
            'id': doc.id
        });

        return Promise.promisify(req)(options).then(function(response) {
            for (y = 0; y < response.names.length; y++) {              
                names.push(response.names[y].toLowerCase());                
            }
        })
        .catch(function (err) {
            console.log('An error occured: ' + err.message);
            throw err;
        });
    });
}

2 个答案:

答案 0 :(得分:1)

我不确定你使用的Promise库是什么,因为它看起来不标准,但我认为这就是你想要的东西。我添加了有关正在发生的事情的评论 - 您可能需要更改这些代码行以适合您的承诺库。

function getNames(oauth2Client, docs) {
    const api = x('v1');
    const names = [];
    // create a stack of promises
    const stack = [];
    docs.forEach(doc => {
        let req = api.users.messages.get;
        let options = ({
            auth: oauth2Client,
            'userId': 'me',
            'id': doc.id
        });
        // push each promise onto the stack
        stack.push(
            Promise.promisify(req)(options).then(function(response) {
                for (y = 0; y < response.names.length; y++) {              
                    names.push(response.names[y].toLowerCase());                
                }
            })
            .catch(function (err) {
                console.log('An error occured: ' + err.message);
                throw err;
            })
        );
    });
    // Wait for all promises in the stack to finish, and then
    // return the names array as the final value.
    return Promise.all(stack).then(() => names);
}

答案 1 :(得分:1)

只需添加

return Promise.each(…)
.then(function() {
    return names;
});

导致返回的promise与names数组一起使用。

但是我建议你不要在each循环中使用全局数组,特别是如果你关心结果的顺序。相反,使用值解析每个承诺,使用map代替each,并将结果合并到最后:

const api = x('v1');
const getUserMessages = Promise.promisify(api.users.messages.get);

function getNames(oauth2Client, docs) {
    return Promise.map(docs, doc =>
        getUserMessages({
            auth: oauth2Client,
            'userId': 'me',
            'id': doc.id
        })
        .then(response =>
            response.names.map(name => name.toLowerCase());
        )
    )
    .then(nameArrays =>
        [].concat(...nameArrays)
    );
}