4

是否可以(以一种高效的方式)在 JavaScript 中定义“后备”方法?

例如

function MyObject () {
   /* what do i have to add here to have my defaultMethod? */
}

var obj = new MyObject ();
obj.doesntExistInMyObject (); // I want defaultMethod to be called
obj.doesntExistEither (); // I want defaultMethod to be called, too

即:我想defaultMethod在我写obj.calledMethod ();and时被调用obj.calledMethod == undefined,但我不想undefined在调用代码中检查。

4

1 回答 1

4

JavaScript 目前没有这个功能。不过,它可能会在下一个版本中通过代理。所以在那之前,要做到这一点,你必须做一些相当丑陋的事情,比如:

MyObject.prototype.ex = function(fname) {
    var f    = this[fname],
        args = Array.prototype.slice.call(arguments, 1);
    if (typeof f === "function") {
        return f.apply(this, args);
    }
    return this.defaultMethod.apply(this, args);
};

...并像这样使用它:

var obj = new MyObject();
obj.ex("doesntExistInMyObject", "arg", "arg");

ex对于“执行”,因为call太容易与 混淆Function#call。)

于 2012-05-27T16:42:43.737 回答