8

在 Node.js 中,出于多种原因,习惯/建议将回调作为最后一个参数传递给函数。也可能有一个或多个可选参数,我们希望在回调之前传递它们。您最终会看到很多非常重复的代码,例如

// receiveMessages([options], [callback])
function receiveMessages(options, callback) {
   if(typeof options === 'function'){
      callback = options;
      options = {}; // or some other sensible default
   }
   //...
 }

添加额外的可选参数意味着添加额外的检查,当然:

 // through([dest], [options], [callback])
 function through(dest, options, callback) {
     if(typeof dest === 'function'){
        callback = dest;
        dest = noop();
        options = {};
     }else if(typeof options === 'function'){
        callback = options;
        options = {};
     }
     // ...
 }

编辑这个模式也出现 整个 标准库中。

我可以想到一些干这件事的 hacky 方法,但我想知道是否有人有一个特别优雅或通用的解决方案来将参数绑定到正确的位置参数。

4

2 回答 2

3

我想到的一件事是方法重载。从技术上讲,这在 JavaScript 中不受支持,但有一些方法可以实现这样的事情。John Resig 在他的博客中有一篇关于它的文章:http: //ejohn.org/blog/javascript-method-overloading/

此外,这是我的实现,它与 John Resig 的非常相似,并深受其启发:

var createFunction = (function(){
    var store = {};

    return function(that, name, func) {
        var scope, funcs, match;

        scope = store[that] || (store[that] = {});
        funcs = scope[name] || (scope[name] = {});

        funcs[func.length] = func;

        that[name] = function(){
            match = funcs[arguments.length];
            if (match !== undefined) {
                return match.apply(that, arguments);
            } else {
                throw "no function with " + arguments.length + " arguments defined";
            }
        };
    };
}());

这使您可以多次使用不同数量的参数定义相同的函数:

createFunction(window, "doSomething", function (arg1, arg2, callback) {
    console.log(arg1 + " / " + arg2 + " / " + callback);
});

createFunction(window, "doSomething", function (arg1, callback) {
    doSomething(arg1, null, callback);
});

这段代码定义了一个全局函数doSomething,一次有三个参数,一次有两个参数。如您所见,此方法的第一个缺点是您必须提供一个函数附加到的对象,您不能只说“在此处定义一个函数”。此外,函数声明比以前更复杂一些。但是您现在可以使用不同数量的参数调用您的函数并获得正确的结果,而无需使用重复if..else结构:

doSomething("he", function(){});         //he / null / function(){}
doSomething("he", "ho", function(){});   //he / ho / function(){}

到目前为止,只有参数的数量很重要,但我可以考虑扩展它,以便对不同的数据类型做出反应,这样人们也可以区分以下内容:

function doSomething(opt1, opt2, callback){
    //some code
}

doSomething({anObject: "as opt1"}, function(){});
doSomething("a string as opt2", function(){});

尽管如此,这可能不是最好的方法,但在某些情况下它可能很方便。对于许多可选参数,我个人喜欢 Pumbaa80 将这些选项放在一个必需的对象参数中的答案。

于 2013-06-29T09:23:30.603 回答
2

在 Node.js 中,出于多种原因,习惯/建议将回调作为最后一个参数传递给函数

我能想到的唯一原因是强迫开发人员提供其他参数。

例如,function (success, error)会导致编程草率,因为懒惰的编码人员会简单地忽略error回调。这就是你经常看到的原因function (error, success)

话虽如此,上面的约定非常适合强制性参数。如果您想要可选参数,请不要这样做。处理这种情况的一种方法是以下方案:

function (required1, required2, ..., callback, options)
// or
function (required1, required2, ..., options, callback)

其中每个可选参数可能会或可能不会作为 的属性提供options

编辑:实际上,这在一些节点库中使用,例如http://nodejs.org/api/fs.html#fs_fs_appendfile_filename_data_options_callback

于 2013-06-29T08:31:25.740 回答