js 实现面向对象
原型链继承
利用 JavaScript 的原型链机制实现继承。通过将子类的原型指向父类的实例,子类可以访问父类的属性和方法。
function Parent() {
this.name = 'Parent';
}
Parent.prototype.sayName = function() {
console.log(this.name);
};
function Child() {
this.name = 'Child';
}
Child.prototype = new Parent();
const child = new Child();
child.sayName(); // 输出 "Child"
构造函数继承
在子类构造函数中调用父类构造函数,使用 call 或 apply 方法改变 this 指向,实现属性继承。
function Parent(name) {
this.name = name;
}
Parent.prototype.sayName = function() {
console.log(this.name);
};
function Child(name, age) {
Parent.call(this, name);
this.age = age;
}
const child = new Child('Child', 10);
console.log(child.name); // 输出 "Child"
组合继承
结合原型链继承和构造函数继承的优点,既继承了父类的属性,又继承了父类的方法。
function Parent(name) {
this.name = name;
}
Parent.prototype.sayName = function() {
console.log(this.name);
};
function Child(name, age) {
Parent.call(this, name);
this.age = age;
}
Child.prototype = new Parent();
Child.prototype.constructor = Child;
const child = new Child('Child', 10);
child.sayName(); // 输出 "Child"
原型式继承
基于已有对象创建新对象,使用 Object.create() 方法实现。
const parent = {
name: 'Parent',
sayName: function() {
console.log(this.name);
}
};
const child = Object.create(parent);
child.name = 'Child';
child.sayName(); // 输出 "Child"
寄生式继承
在原型式继承的基础上增强对象,返回新对象。
function createChild(parent) {
const child = Object.create(parent);
child.sayHello = function() {
console.log('Hello');
};
return child;
}
const parent = {
name: 'Parent',
sayName: function() {
console.log(this.name);
}
};
const child = createChild(parent);
child.sayName(); // 输出 "Parent"
child.sayHello(); // 输出 "Hello"
寄生组合式继承
最理想的继承方式,解决了组合继承调用两次父类构造函数的问题。
function inheritPrototype(child, parent) {
const prototype = Object.create(parent.prototype);
prototype.constructor = child;
child.prototype = prototype;
}
function Parent(name) {
this.name = name;
}
Parent.prototype.sayName = function() {
console.log(this.name);
};
function Child(name, age) {
Parent.call(this, name);
this.age = age;
}
inheritPrototype(Child, Parent);
const child = new Child('Child', 10);
child.sayName(); // 输出 "Child"
ES6 Class 继承
使用 ES6 的 class 和 extends 关键字实现继承,语法更简洁。
class Parent {
constructor(name) {
this.name = name;
}
sayName() {
console.log(this.name);
}
}
class Child extends Parent {
constructor(name, age) {
super(name);
this.age = age;
}
}
const child = new Child('Child', 10);
child.sayName(); // 输出 "Child"






