关于 JavaScript 中的继承
ES5 之前,继续是这样实现的 function Parent() {
this.foo = function() {
console.log('foo');
};
}
Parent.prototype.bar = function() {
console.log('bar');
}
function Child() {
}
Child.prototype = p = new Parent();
Child.prototype.constructor = Child;
var c = new Child();
c instanceof Parent; // true
c instanceof Child; // true
c.__proto__ === p; // true
c.__proto__.__proto__ === Parent.prototype; // true
c.__proto__.__proto__.__proto__ === Object.prototype; // true
c.__proto__.__proto__.__proto__.__proto__ === null; // true
c.foo(); // foo
c.bar(); // bar 这种方式有个缺点,需要首先实例化父类。这表示,子类需要知道父类该如何初始化。 理想情况下,子类不关心父类的初始化细节,它只需要一个带有父类原型的对象用来继承即可。 Child.prototype = anObjectWithParentPrototypeOnThePrototypeChain; 但是 js 中没有提供直接获取对象原型的能力,决定了我们不能像下面这样操作: Child.prototype = (function () {
var o = {};
o.__proto__ = Parent.prototype;
return o;
}()); 注意: instance.__proto__ === constructor.prototype // true 所以,改进的方式是使用一个中间对象。 // Parent defined as before.
function Child() {
Parent.call(this); // Not always required.
}
var TempCtor, tempO;
TempCtor = function() {};
TempCtor.prototype = Parent.prototype;
Child.prototype = tempO = new TempCtor();
Child.prototype.constructor = Child;
var c = new Child();
c instanceof Parent; // true - Parent.prototype is on the p.-chain
c instanceof Child; // true
c.__proto__ === tempO; // true
// ...and so on, as before 借助这个中间对象绕开了对父类的依赖。为了减少如上的重复轮子,ES5 中加入 // Parent defined as before.
function Child() {
Parent.call(this); // Not always required.
}
Child.prototype = o = Object.create(Parent.prototype);
Child.prototype.constructor = Child;
var c = new Child();
c instanceof Parent; // true - Parent.prototype is on the p.-chain
c instanceof Child; // true
c.__proto__ === o; // true
// ...and so on, as before 参考 |
CC BY-NC-SA 署名-非商业性使用-相同方式共享