2

我正在试验 promises - 即 when.js - 并且想要转换一些测试代码 - 即使在阅读文档之后也不清楚如何做到这一点。到目前为止,我的实验比标准的回调金字塔要混乱得多,所以我认为我缺少一些捷径。

这是我想复制的示例代码:

Async1(function(err, res) {
  res++;
  Async2(res, function(error, result) {
    done();
  })
})
4

2 回答 2

3
nodefn.call(Async2, nodefn.call(Async1)).ensure(done);

在这里,Async2实际上是同步调用的,并以 Promise forAsync1()作为参数 - 它不等待Async1解决。要链接它们,您需要使用

nodefn.call(Async1).then(nodefn.lift(Async2)).ensure(done);
// which is equivalent to:
nodefn.call(Async1).then(function(result) {
    return nodefn.call(Async2, result);
}).ensure(done);

我想在 2 个调用之间执行一些逻辑

然后您需要将另一个函数放入链中,或修改链中的一个函数:

nodefn.call(Async1)
  .then(function(res){return res+1;}) // return modified result
  .then(nodefn.lift(Async2))
  .ensure(done);
// or just
nodefn.call(Async1).then(function(res) {
    res++; // do whatever you want
    return nodefn.call(Async2, res);
}).ensure(done);
于 2013-07-03T21:02:57.127 回答
1

不确定何时,但使用Deferred库,您可以这样做:

// One time configuration of promise versions
async1 = promisify(async1);
async2 = promisify(async2);

// construct flow
async1().then(function (res) { return async2(++res); }).done();
于 2013-07-04T07:59:33.790 回答