我正在刷新我的 javascript 技能,并想出了一种对象可以从另一个继承的方法。继承应该是树状的。
Parent->Child->Child2
我已经扩展了Function.prototype
(不要告诉我这是一个坏主意,以后可以更改)
Function.prototype.extend = function(child)
{
// save child prototype
var childPrototype = child.prototype;
// copy parent to child prototype
child.prototype = Object.create(this.prototype);
// merge child prototype
for (var property in childPrototype) {
child.prototype[property] = childPrototype[property];
}
child.prototype.constructor = child;
child.prototype.$parent = this.prototype;
return child;
};
父对象:
var Parent = (function()
{
var Parent = function(x, y)
{
this.x = x;
this.y = y;
console.log('Parent constr', x, y);
}
Parent.prototype.move = function(x, y)
{
this.x += x;
this.y += y;
console.log('Parent moved.');
};
return Parent;
}());
第一个孩子:
var Child = Parent.extend(function()
{
var Child = function(x, y)
{
this.$parent.constructor(x, y);
console.log('Child constr');
}
Child.prototype.print = function()
{
console.log('Child print', this.x, this.y);
};
// override
Child.prototype.move = function(x, y)
{
this.$parent.move(x, y);
console.log('Child moved.');
};
return Child;
}());
第二个孩子:
var Child2 = Child.extend(function()
{
var Child2 = function(x, y)
{
this.$parent.constructor(x, y);
console.log('Child2 constr');
}
// override
Child2.prototype.move = function(x, y)
{
this.$parent.move(x, y); // call parent move
console.log('Child2 moved.');
};
return Child2;
}());
到现在为止还挺好。我可以调用父母的构造函数和方法,甚至可以覆盖方法。
var child = new Child2(1, 1);
child.move(1, 1);
child.print();
我得到以下正确的输出:
Parent constr 1 1
Child constr
Child2 constr
Parent moved.
Child moved.
Child2 moved.
Child print 2 2
但是,如果我注释掉第二个孩子的覆盖,我会得到以下输出:
Parent constr 1 1
Child constr
Child2 constr
Parent moved.
Child moved.
Child moved. -> WHY??
Child print 2 2
我不明白为什么Child moved.
输出两次。结果是正确的,但发生了一些奇怪的事情。
编辑:
最后,在研究和深入研究这个问题之后,我提出了一个很好的解决方案:
// call method from parent object
Object.getPrototypeOf(Child2.prototype).move.apply(this, arguments);
我做了另一个扩展Function
:
Function.prototype.getParent = function()
{
return Object.getPrototypeOf(this.prototype);
};
然后例如Child2
move 方法:
Child2.prototype.move = function(x, y)
{
Child2.getParent().move.call(this, x, y);
};
所以我不再需要$parent
了,我得到了想要的结果。
另一种解决方案是直接调用父原型:
Child2.prototype.move = function(x, y)
{
Child.prototype.move.call(this, x, y);
};