2

我遇到了使用 RequireJS 和原型继承的问题。这是我的模块:

define(function () {
  function Module(data) {
    this.data = data;
  }

  Module.prototype.getData = function () {
    return this.data;
  };

  Module.prototype.doSomething = function () {
    console.log(this.data);
    console.log(this.getData());
  };

  return Module;

  Module.prototype.callFunction = function (fn) {
    if (this[fn]) {
      console.log('call');
      Module.prototype[fn]();
    }
  };
});

然后我实例化模块,如下所示:

var module = new Module({ name: 'Marty' });
module.getData(); // returns { name: 'Marty' }
module.data; // returns { name: 'Marty' }
module.callFunction('doSomething') // returns undefined on the first (and second) console log

中的console.logsmodule.doSomething()总是返回undefined。我是否误解了原型继承如何与 RequireJS 一起工作?

4

1 回答 1

2

事实证明,我错误地编写了 callFunction 方法。正确的方法是:

Module.prototype.callFunction = function (fn) {
  if (this[fn] && typeof this[fn] === "function") {
    this[fn]();
  }
};

问题是使用Module.prototype而不是this. 哎呀。

于 2012-09-27T23:11:33.447 回答