编辑代码

// 原型链继承
// function Game () {
//     this.name='LOL';
//     this.skin = ['s']
// }
// Game.prototype.getName=function(){
//     return this.name
// }

// function LOL(){}

// LOL.prototype=new Game();
// LOL.prototype.constructor=LOL;
// const game1 = new LOL()
// const game2 = new LOL()
// game1.skin.push('ss')
// 缺点:父类属性一旦赋值给到子类的的原型属性,此时属性属于子类的共享属性了
// 实例化子类时,无法向父类进行传参

// 构造函数继承
// function Game (arg) {
//     this.name='LOL';
//     this.skin = ['s']
//     console.log(arg)
// }
// Game.prototype.getName=function(){
//     return this.name
// }

// function LOL(arg){
//     Game.call(this,org)
// }

// const game1 = new LOL('arg')
// game1.skin.push('ss')
// 缺点:原型链上的共享方法无法被读取继承

// 组合继承
// function Game (arg) {
//     this.name='LOL';
//     this.skin = ['s']
//     console.log(arg)
// }
// Game.prototype.getName=function(){
//     return this.name
// }

// function LOL(arg){
//     Game.call(this,org)
// }
// LOL.prototype=new Game();
// LOL.prototype.constructor=LOL;

// const game1 = new LOL('arg')
// game1.skin.push('ss')
// 缺点:无论何种场景,都会调用两次父类的构造函数

// 寄生组合继承
function Game(arg) {
    this.name = 'lol';
    this.skin = ['s'];
}
Game.prototype.getName = function () {
    return this.name;
}

function LOL(arg) {
    Game.call(this, arg);
}
LOL.prototype = Object.create(Game.prototype);
LOL.prototype.constructor = LOL;
const game5 = new LOL('arg');


// 成多重寄生组合继承
function Game(arg) {
    this.name = 'lol';
    this.skin = ['s'];
}
Game.prototype.getName = function () {
    return this.name;
}

function Store() {
    this.shop = 'steam';
}
Game.prototype.getPlatform = function () {
    return this.shop;
}

function LOL(arg) {
    Game.call(this, arg);
    Store.call(this, arg);
}

LOL.prototype = Object.create(Game.prototype);
Object.assign(
    Store.prototype,
    LOL.prototype
);
LOL.prototype.constructor = LOL;