Promise链中的递归式行为

时间:2016-08-17 14:52:44

标签: javascript recursion promise es6-promise

我目前正在努力实现对特定Promiseblock的递归。

我将代码抽象为此以提供示例:

function x(){
    return new Promise((resolve, reject)=>{
    return resolve(2)
  })
}

var testvar = 0

x()
.then(result => {
    // simulating mongodb request which returns another promise
    return new Promise(resolve => {resolve()})
})
.then(result => { // BLOCK START
    // simulating another operation
  testvar += 1
  return new Promise(resolve => {resolve()})
})
.then(result => {
    // some other operations

  if(testvar < 2){
   // RERUN PROMISE FROM BLOCK START
   console.log("pls recurse")
  }else{
    // some other operation
    return new Promise(resolve => {resolve()})
  }
  // BLOCK END
})
.then(result => {
    // continue
  console.log("foo")
})
.catch(err => console.log(err))



// classic approach

function y(){
    // something
    // Operation 1
    // Operation 2
  if(x != 1 ){
    y() // recurse
  }else{
    // continue
  }
}

现在我想要这个代码做的是一个接一个地运行Promisechain直到最后一个(记录“foo”的那个)。除非testvar小于2,否则我希望“// BLOCK START”中的函数再次执行,直到testvar大于或等于2.

我依赖于这个基于Promise的构建,因为我正在对一个帮助程序库和一个返回promises的mongodb进行一些异步函数调用。

代码也可以在fiddle

中进行测试

如果有什么不清楚的地方可以自由提问 - 我很乐意尝试解决我的问题。 谢谢你的帮助。

2 个答案:

答案 0 :(得分:2)

正常递归函数没有太大区别。您可以将代码移至runBlock函数,并在if条件下再次致电return runBlock(result);或退回已解决的承诺:

function x() {
  return new Promise((resolve, reject) => {
    return resolve(2)
  })
}

var testvar = 0

function runBlock(result) {

  testvar += 1
  return new Promise(resolve => {
      resolve()
    })
    .then(result => {
      // some other operations

      if (testvar < 2) {
        console.log('testvar < 2');
        // RERUN PROMISE FROM BLOCK START
        return runBlock(result);
      } else {
        console.log('testvar >= 2');
        // some other operation
        return new Promise(resolve => {
          resolve()
        })
      }
      // BLOCK END
    })
}


x()
  .then(result => {
    // simulating mongodb request which returns another promise
    return new Promise(resolve => {
      resolve()
    })
  })
  .then(runBlock)
  .then(result => {
    // continue
    console.log("foo")
  })
  .catch(err => console.log(err))


function a(a) {
  return new Promise(resolve => {
    resolve(a)
  })
}

// classic approach

function y() {
  // something
  // Operation 1
  // Operation 2
  if (x != 1) {
    y() // recurse
  } else {
    // continue
  }
}

答案 1 :(得分:0)

这可能是@ t.niese在promises中递归的简化版本。它的可行性如下;

&#13;
&#13;
var      pr = Promise.resolve(1),
fulFillment = v =>  Promise.resolve(v*=2)
                           .then(v => v > 100 ? "foo" : (console.log(v), fulFillment(v)));

pr.then(fulFillment)
  .then(v => console.log(v))
  .catch(e => console.log(e));
&#13;
&#13;
&#13;