28

我正在尝试使用 node.js 中的 Q 模块来解决承诺,但是我有一个小问题。

在这个例子中:

ModelA.create(/* params */)
.then(function(modelA){
    return ModelB.create(/* params */);
})
.then(function(modelB){
    return ModelC.create(/* params */);
})
.then(function(modelC){

    // need to do stuff with modelA, modelB and modelC

})
.fail(/*do failure stuff*/);

.create 方法然后在每个 .then() 中返回一个承诺,正如预期的那样,获得承诺的解析值。

但是,在最后的 .then() 中,我需要拥有所有 3 个先前已解决的承诺值。

最好的方法是什么?

4

3 回答 3

35

这些是您众多选择中的一部分:

在门 1 后面,使用 reduce 将结果串联起来。

var models = [];
[
    function () {
        return ModelA.create(/*...*/);
    },
    function () {
        return ModelB.create(/*...*/);
    },
    function () {
        return ModelC.create(/*...*/);
    }
].reduce(function (ready, makeModel) {
    return ready.then(function () {
        return makeModel().then(function (model) {
            models.push(model);
        });
    });
}, Q())
.catch(function (error) {
    // handle errors
});

在 2 号门后面,将积累的模型打包成一个数组,然后用 spread 解包。

Q.try(function () {
    return ModelA.create(/* params */)
})
.then(function(modelA){
    return [modelA, ModelB.create(/* params */)];
})
.spread(function(modelA, modelB){
    return [modelA, modelB, ModelC.create(/* params */)];
})
.spread(function(modelA, modelB, modelC){
    // need to do stuff with modelA, modelB and modelC
})
.catch(/*do failure stuff*/);

在门 3 后面,在父作用域中捕获结果:

var models [];
ModelA.create(/* params */)
.then(function(modelA){
    models.push(modelA);
    return ModelB.create(/* params */);
})
.then(function(modelB){
    models.push(modelB);
    return ModelC.create(/* params */);
})
.then(function(modelC){
    models.push(modelC);

    // need to do stuff with models

})
.catch(function (error) {
    // handle error
});
于 2013-09-17T23:28:20.510 回答
23

Bluebird Promise库为此提供了另一种解决方案.bind()

它看起来像这样:

ModelA.create(/* params */).bind({})
.then(function (modelA) {
    this.modelA = modelA;
    return ModelB.create(/* params */);
})
.then(function (modelB) {
    this.modelB = modelB;
    return ModelC.create(/* params */);
})
.then(function (modelC) {
    // you have access to this.modelA, this.modelB and modelC;
});

文档中有很多关于此方法的有趣信息。

于 2014-08-09T19:06:04.453 回答
3

您可能不需要等到创建 modelA 来创建 modelB 等等。
如果这是真的,那么您可以执行以下操作:

var promises = [
  ModelA.create(...),
  ModelB.create(...),
  ModelC.create(...)
);

Q.all( promises ).spread(function( modelA, modelB, modelC ) {
  // Do things with them!
}).fail(function() {
  // Oh noes :(
});

这是做什么的:

  • 创建一系列承诺,为您需要的每个模型创建一个承诺;
  • 并行执行所有 3 个 promise;
  • spread()当所有 3 个 Promise 都完成后,执行传入的函数。参数是每个 Promise 的解析值,按照声明顺序。

我希望它可以帮助你:)

于 2013-09-17T12:24:52.880 回答