在node.js中执行一系列异步操作

时间:2014-08-28 09:02:59

标签: javascript node.js asynchronous

在Node.js中执行一系列异步操作的好方法是什么?这适用于脚本类型的应用程序,应该从命令行运行然后完成作业的应用程序,它不在服务器的上下文中,应该位于后台并同时处理多个不同的事情。

我知道Promises / A + aka Thenables,但语法并没有那么好:

do_some_stuff().then(
   function() {
       do_some_other_stuff().then(
           function() {
               do_the_last_stuff().then(
                   function() {
                      // we are done with everything!
                   }
               )
           }
       )
   }
);

当我们有更多操作时,缩进会让它看起来很丑陋。

我喜欢茉莉是怎么做到的,异步操作传递给它应该在完成后调用的函数。基于这个想法,我创建了一个名为AsyncSequence的东西。 AsyncSequence运行一系列操作,每个操作都传递一个应该在完成时调用的done函数。使用AsyncSequence,上面看起来像:

AsyncSequence.run(
    function(done) {
        do_some_stuff().then(done);
    },
    function(done) {
        do_some_other_stuff().then(done);
    },
    function(done) {
        do_the_last_stuff().then(done);
    },
    function() {
        // we are done with everything!
    }
);

这很有效,我觉得它看起来更好,但我想知道是否有更多的标准"这样做的方式?当您调查Node.js程序员看到这个时,会出现类似于我的AsyncSequence的东西吗?或者某些不完全相似但可以用于相同目的的东西?

2 个答案:

答案 0 :(得分:3)

使用Promises / A +,可以链接then,这是第一个例子:

do_some_stuff()
.then(do_some_other_stuff)
.then(do_the_last_stuff)
.then(function() {
  // we are done with everything!
});

将承诺视为您将来拥有的值的容器,then将未来值转换为另一个值(类似于[].map)。但是如果传递给then的函数返回另一个promise,它将被解包。有关更具体的例子:

getPostData(req).then(function(data) {
  return createNewUser(data);
}).then(function(user) {
  return JSON.stringify(user);
}).then(function(json) {
  return successResponse(json);
}).then(function(body) {
  res.end(body);
});

此示例使用显式函数参数使流程更加明显。 createNewUser返回表示保存到数据库的User对象的promise,而JSON.stringify当然只返回一个String。 Promises / A +可以处理和链接两种返回值。

答案 1 :(得分:1)

使用异步模块。见瀑布方法。 https://github.com/caolan/async

async.waterfall([
    function(callback){
        callback(null, 'one', 'two');
    },
    function(arg1, arg2, callback){
      // arg1 now equals 'one' and arg2     now equals 'two'
        callback(null, 'three');
    },
    function(arg1, callback){
        // arg1 now equals 'three'
        callback(null, 'done');
    }
], function (err, result) {
   // result now equals 'done'    
});