3

假设我有这个模块,我希望它自行初始化并附加到它的范围内。像这样:

(function( scope ) {
    var Module = (function() {
      return {
          init: function(){
              console.log('Initialized');
          }
      };
    })();
    var module = scope.Module = Module;
    module.init();
})( self );

现在,问题是,这self总是window. 我不想要那个。我希望它成为 jQuery 调用和加载它的范围$.getScript(),如下所示:

var Master = (function($) {
    return {
        init: function() { 
            var self = this;
            $.getScript("/js/libs/module.js");
        }
    }
})(jQuery)

有没有办法破解这个?

4

2 回答 2

3

我认为您不能将作用域注入使用 $.getScript 调用的自执行脚本。相反,您必须使用某种导出变量来存储脚本,直到可以注入作用域。

(function( exports ) {
   exports.Module = function() {
     return {
        init: function(scope){
           console.log('Initialized', scope);
        }
     };
   };
   var module = exports.Module;
})( exports || window.exports = {} );

然后:

var self = this; // or whatever you want the scope to be
$.getScript("/js/libs/module.js", function(){
    exports.Module().init(self);
});

老实说,如果您将 jQuery 用于这样的模块模式,请考虑使用更全面的库加载器,例如require.jsFrame.js

于 2012-04-18T13:01:24.990 回答
0

JavaScript 中的作用域与函数密切相关,而不是对象。JS 中的对象{}不会创建它自己的范围。我不熟悉 jQuery 中的“Revealing Module Pattern”,但要获得一个独特的范围,你会做这样的事情:

(function( scope ) {
    var Module = (function() {
      return new function() {
          this.init = function(){
              console.log('Initialized');
          }
      };
    })();

    var module = scope.Module = Module;
    module.init();

})();

或者,也许更简洁:

(function( scope ) {
    var Module = new function() {
        this.init = function(){
          console.log('Initialized');
        };
    };

    var module = scope.Module = Module;
    module.init();

})();

在这种情况下,范围是模块,而不是窗口。

于 2012-04-17T15:09:53.450 回答