在javascript中实现extend方法

时间:2013-03-06 18:14:38

标签: javascript backbone.js javascript-objects

通过查看BackboneJS的代码,我对扩展实现感兴趣。当我试图自己制作时,我被卡住了。我的代码如下。

var extend = function(child) {
  var base = this;

  if(child) {
    for(var prop in child)  {
      base[prop] = child[prop];
    }
  }

  return base;
};

var Test = Mod.Test = function()  {
  this.data = {};
}

Test.prototype.set = function(key, value) {
  this.data[key] = value;
}

Test.prototype.get = function(key)  {
  return this.data[key];
}

Test.extend = extend;

当我尝试这样的时候,我无法将hello方法附加到Mod.Test

var testObj = new Mod.Test.extend({
 hello : function() {
  console.log('hello');
 }
});

怎么可能。它是如何在backbonejs中实现的。

1 个答案:

答案 0 :(得分:2)

Backbone的extend方法接受两个参数 - 实例属性和静态属性。第一个被复制到正在创建的实例,第二个被分配给实例的原型。通常你应该在没有new运算符的情况下调用extend方法,但在这种情况下,这里是代码的工作版本:

var extend = function(child) {
  var base = this;

  if(child) {
    for(var prop in child)  {
      base[prop] = child[prop];
    }

    for(var prop in child)  {
      base.prototype[prop] = child[prop];
    }
  }



  return base;
};

var Test = Backbone.Model.Test = function()  {
  this.data = {};
}

Test.prototype.set = function(key, value) {
  this.data[key] = value;
}

Test.prototype.get = function(key)  {
  return this.data[key];
}

Test.extend = extend;

然后:

Test = Backbone.Model.Test.extend({
  hello : function() {
    console.log('hello');
  }
});
var testObj = new Test;