3

我试图在显示模式中调用一个私有函数。这是我的代码:

var module = (function(){
    var privateMethod = function(val) {
        console.log(val);
    }
    var publicMethod = function() {
        var functionString = "privateMethod";
        /** This what I tried
        functionString.call('test');
        window[module.privateMethod]('test');
        */
    }
    return {
        init: publicMethod
    }
})();

$(document).ready(function(){
    module.init();
});

有人可以帮助我吗?

谢谢!

4

1 回答 1

7

使您的私有函数属性成为对象?

var module = (function(){
    var privateFuncs = {
        privateMethod: function(val) {
            console.log(val);
        }
    };
    var publicMethod = function() {
        var functionString = "privateMethod";
        privateFuncs[functionString]('test');
    };
    return {
        init: publicMethod
    };
})();

您的其他尝试都失败了,原因不同:

  • functionString.call('test')永远不会工作,因为functionString指的是字符串文字。它没有call方法。

  • window[module.privateMethod]('test')行不通,因为首先,module没有属性privateMethod。如果是这样,它就不会是“私人的”。这意味着您正在尝试调用window[undefined],这不是一个函数。

于 2013-06-25T10:09:09.717 回答