bluebird 中是否有任何方法可以像 async.waterfall

is there any method in bluebird which works like async.waterfall

我正在做这样的事情,其中​​第一个函数依赖于第二个。

let findOrg = () => {
    return new Promise((resolve, reject) => {
        db.organization.find({
                where: data
            })
            .then(org => {
                return resolve(org);
            }).catch(err => {
                reject(err);
            });
    }); };

let createOrg = org => {
    return new Promise((resolve, reject) => {
        if (org) {
            return resolve(org);
        }
        db.organization.build(data)
            .save()
            .then((org) => {
                return resolve(org);
            }).catch(err => {
                reject(err);
            });
    }); };

findOrg()
    .then(org => { //going to find org
        return createOrg(org); //then going to make org
    }).then(newOrg => {
        res.data(mapper.toModel(newOrg)); //then mapping
    }).catch(err => {
        return res.failure(err);
    });

在上面的函数 findOrg 和 createOrg 中都创建了新的承诺 (ES6)

我的问题是—— 1. 我们如何在 Bluebird promise 库中解决这个问题(如果一个函数依赖于另一个函数,则按顺序),如

async.waterfall([
function(){},
function(){}],
function(){})
  1. 这里创建了 2 个承诺。我有什么办法吗

您可以使用 bluebird 的 Promise.reduce or create your own waterfall (chain) function like this 作为替代。

但是:您的代码在使用 promise constructor antipattern 时有不必要的开销:您可以不使用 new Promise 而使用 .bind 编写它您还可以避免显式创建内联函数,...像这样:

let findOrg = () => db.organization.find({where: data});

let createOrg = org => org || db.organization.build(data).save();

findOrg()
    .then(createOrg)
    .then(mapper.toModel.bind(mapper))
    .then(res.data.bind(res))
    .catch(res.failure.bind(res));

我认为这很干净。