从原型更改/包装功能

时间:2015-03-18 19:25:53

标签: javascript node.js this wrapper

我正在编写一个框架,该框架使用函数包装来创建调试工具。目前,我想在函数调用时报告和聚合信息。我使用以下代码:

function wrap(label, cb) {
    return function () {
        report(label);
        cb.apply(this, arguments);
    }
}

然后为了绑定调试操作,我将使用:

function funcToWrap (){/* Some existing function*/}

funcToWrap = wrap("ContextLabel", funcToWrap); 

现在,当调用funcToWrap时,它会通过report()方法连接。

我的要求是现在更改此语法,以便通过以下方式完成换行:

funcToWrap.wrap("ContextLabel");

理想情况下,这样的事情可以解决我的问题,但这当然是非法的:

Function.prototype.time = function(label){
    var func = this;
    // The actual difference:
    this = function () { // ILLEGAL
        report(label);
        func.apply(this, arguments);
    }
};

感谢您对此有任何见解。

2 个答案:

答案 0 :(得分:1)

  

我的要求是现在更改此语法,以便通过以下方式完成换行:

funcToWrap.wrap("ContextLabel");

除非在开头有funcToWrap =,否则您根本无法满足该要求。没有办法改变函数的内涵,你只能做你正在做的事情,创建一个新的函数取而代之。

如果你在开头有一个funcToWrap =,当然,它非常简单。但我认为这不是要求。


但如果我误解了要求,那么:

Function.prototype.wrap = function wrap(label) {
    var f = this;
    return function () {
        report(label);
        return f.apply(this, arguments); // Note the added `return` here
    };
};

用法:

funcToWrap = funcToWrap.wrap("ContextLabel");

从问题中可以肯定的是,A)这不是你想要的,而且B)如果是的话你可以做到。

答案 1 :(得分:1)

  

我的要求是现在更改此语法,以便通过以下方式完成换行:

funcToWrap.wrap("ContextLabel");

那是不可能的。人们不能从外部改变函数的行为,在这方面它就像一个不可变的原始值。你唯一能做的就是创建一个新函数并覆盖旧函数,但这种覆盖必须是明确的。您可以使用一些eval魔法(如here),但我建议您使用第一个示例中的赋值(无论wrap函数是静态还是{{1方法)。