在 ES5 中,可以通过以下方式实现继承:
- 使用原型链继承:将父类的实例作为子类的原型。这样子类就可以继承父类的属性和方法。示例代码如下:
function Parent() { this.name = 'Parent'; } Parent.prototype.sayHello = function() { console.log('Hello, ' + this.name); }; function Child() { this.age = 18; } Child.prototype = new Parent(); var child = new Child(); child.sayHello(); // 输出: Hello, Parent
- 使用借用构造函数继承:在子类构造函数中调用父类构造函数,通过
call
或apply
方法将父类的属性和方法绑定到子类实例上。示例代码如下:
function Parent() { this.name = 'Parent'; } function Child() { Parent.call(this); this.age = 18; } var child = new Child(); console.log(child.name); // 输出: Parent
- 使用组合继承:将原型链继承和借用构造函数继承结合起来。即使用原型链实现对父类原型属性和方法的继承,使用借用构造函数实现对父类实例属性的继承。示例代码如下:
function Parent() { this.name = 'Parent'; } Parent.prototype.sayHello = function() { console.log('Hello, ' + this.name); }; function Child() { Parent.call(this); this.age = 18; } Child.prototype = new Parent(); Child.prototype.constructor = Child; var child = new Child(); child.sayHello(); // 输出: Hello, Parent
- 使用原型式继承:通过
Object.create
方法创建一个新对象,并将父类实例对象作为新对象的原型。示例代码如下:
function createObject(proto) { function F() {} F.prototype = proto; return new F(); } var parent = { name: 'Parent', sayHello: function() { console.log('Hello, ' + this.name); } }; var child = createObject(parent); child.sayHello(); // 输出: Hello, Parent
- 使用寄生式继承:创建一个封装继承过程的函数,在函数内部创建一个继承自父类的新对象,并添加子类的属性和方法。示例代码如下:
function createChild(parent) { var child = Object.create(parent); child.age = 18; return child; } var parent = { name: 'Parent', sayHello: function() { console.log('Hello, ' + this.name); } }; var child = createChild(parent); child.sayHello(); // 输出: Hello, Parent
注意:以上几种方式都有各自的优缺点,需要根据具体需求选择合适的方式。