“在javascript中,每个对象都有一个指向创建它的对象的秘密链接,形成一个链。当一个对象被要求提供一个它没有的属性时,它的父对象被询问......不断地沿着链向上直到属性找到或直到到达根对象。 ”
总而言之,我现在一直认为上面的话是真的,所以我做了一些测试来验证它,我打算像下面这样定义对象的关系。请审查它。
代码应如下所示。
//Shape - superclass
function Shape() {
this.x = 0;
this.y = 0;
};
Shape.prototype.move = function(x, y) {
this.x += x;
this.y += y;
alert('Shape move');
};
// Rectangle - subclass
function Rectangle() {
Shape.call(this); //call super constructor.
}
Rectangle.prototype.move = function(x, y) {
this.x += x;
this.y += y;
alert('Rectangle move');
};
// Square - subclass
function Square(){
Shape.call(this);
}
Rectangle.prototype = Object.create(Shape.prototype);
Square.prototype=Object.create(Rectangle.prototype);
var rect = new Rectangle();
var sq= new Square();
sq.x=1;
sq.y=1;
sq.move(1,1);
由于在move
中找不到方法Square.prototype
,所以 JavaScript 会在其父对象的链下找到,我原以为会在 中找到Rectangle.prototype
,但实际上是在根中找到Shape.prototype
,所以我无法理解是为什么sq.move(1,1)
实际上调用Shape.prototype.move
而不是调用move
方法Rectangle.prototype
?我错过了什么吗?谢谢。