我未能找到明确的解释。这是我在MDN上找到的一个简单的例子。我唯一不理解的是构造函数设置的原因。有人可以解释为什么需要它吗?它是继承还是正确的原型链被引用?
// Shape - superclass
function Shape() {
this.x = 0;
this.y = 0;
}
// superclass method
Shape.prototype.move = function(x, y) {
this.x += x;
this.y += y;
console.info('Shape moved.');
};
// Rectangle - subclass
function Rectangle() {
Shape.call(this); // call super constructor.
}
// subclass extends superclass
Rectangle.prototype = Object.create(Shape.prototype);
Rectangle.prototype.constructor = Rectangle;
var rect = new Rectangle();
console.log('Is rect an instance of Rectangle?', rect instanceof Rectangle);// true
console.log('Is rect an instance of Shape?', rect instanceof Shape);// true
rect.move(1, 1); // Outputs, 'Shape moved.'
答案 0 :(得分:0)
每当你创建一个函数,比如说function foo(){}
时,JS引擎也会创建一个匿名对象并以类似的方式连接它们。
foo.prototype = {};
foo.prototype.constructor = foo;
属性名称"构造函数"和"原型"这是因为语义。标准名称可能是:
foo.ping = {};
foo.ping.pong = foo;
和"设置prototype.constructor
"的目的很简单 - 能够使用该类的构造函数。
如果您不需要调用构造函数,则可以完全省略该属性。
要了解有关推荐阅读主题的更多信息 http://www.javascripttutorial.net/javascript-prototype/ 和 http://www.javascripttutorial.net/javascript-prototypal-inheritance/