4

我需要一种机制,人们可以用他们自己的模块来扩展我的基本代码——但我正在努力想出一个简单的机制来做到这一点。

示例:用户可以扩展名为“test”的函数。每个用户模块都在原始模块之后加载 - 因此每个用户模块都需要在最后一个模块上构建(它们加载的顺序无关紧要,或者可以通过命名来控制)

我开始玩这样的东西

var test = function() { // the master function
    console.log("1");
}

var ltest = test; // module 1
var test = function() {
    ltest();
    console.log("2");
}

var ltest2 = test; // module 2
var test = function() {
    ltest2();
    console.log("3");
}

然后,当调用 'test' 时,它将运行每个人的代码(假设没有人忘记他们的回调!!)

这可行,但它依赖于每个模块声明它自己的唯一“回调”变量(ltest,ltest2) - 如果有人使用相同的变量,我们将得到一个“超出调用堆栈”,因为这些变量在范围内是全局的。 .

任何人都可以提出一个更聪明/更好的系统 - 或者指出一些相同的例子吗?

有很多关于继承的材料,但我不想创造新的东西来扩展旧的东西——我只想扩展旧的东西!!

ps 从模块模式中获取匿名函数的东西 - 我得到了这个

var test = function() {
    console.log("1");
}

(function() {
    var oldtest = test;
    test = function() {
        oldtest();
        console.log("2");
    }
}())

(function() {
    var oldtest = test;
    test = function() {
        oldtest();
        console.log("3");
    }
}())

这可能是我的问题最简单的解决方案 - 但不一定是最好的系统(因为它取决于作者记得回调代码 - 一个狡猾的模块会破坏一切)

4

2 回答 2

1

模块模式是您所需要的。

特别是“增强”或“松散增强”模式:

var MODULE = (function (my) {
    var old_moduleMethod = my.moduleMethod;

    my.moduleMethod = function () {
        // method override, has access to old through old_moduleMethod...
    };

    return my;
}(MODULE || {}));
于 2013-06-25T15:23:39.503 回答
1

你可以做一个这样的功能

function extendFunction(fn, pre, post) {
    return function () {
        var arg = arguments;
        if (pre) arg = pre.apply(this, arg);   // call pre with arguments
        arg = fn.apply(this, arg);             // call fn with return of pre
        if (post) arg = post.apply(this, arg); // call post with return of fn
        return arg;
    };
}

然后扩展如下

var test = function () { // the master function
    console.log("1");
};
test = extendFunction(
    test, // function to extend
    null, // thing to do first
    function() {console.log("2");} // thing to do after
);
test = extendFunction(
    test,
    null,
    function() {console.log("3");}
);
test(); // 1, 2, 3

但是,这与“扩展”的正常含义非常不同,在“扩展”中,您为对象提供新属性或设置原型链,而“模块”通常涉及将所有代码包装在函数表达式中,以免造成污染命名空间。

于 2013-06-25T15:24:02.720 回答