JS继承

作者: LenHong | 来源:发表于2019-01-29 11:12 被阅读0次

    1. 原型链继承

    优点:
    • 单一的继承关系,实例是子类的实例,也是父类的实例
    • 父类新增原型方法/原型属性,子类都能访问到
    • 简单,易于实现
    缺点:
    • 无法实现多继承
    • 来自原型对象的所有属性被所有实例共享
    • 创建子类实例时,无法向父类构造函数传参
    • 无法实现多继承(即继承多个对象)
    function Parent () {
        this.name = 'ryan';
    }
    
    Parent.prototype.getName = function () {
        console.log(this.name);
    }
    
    function Child () {
    
    }
    
    Child.prototype = new Parent();
    
    var child1 = new Child();
    
    console.log(child1.getName()) // kevin
    

    2. 构造函数继承

    优点:
    • 解决原型链继承,子类实例共享父类引用属性的问题
    • 创建子类实例时,可以向父类传递参数
    • 可以实现多继承(call多个父类对象)
    缺点:
    • 实例只是子类的实例,并不是父类的实例
    • 只继承父类实例属性和方法,没有继承原型属性/方法
    • 无法实现函数复用,每个子类都会拷贝父类实例函数的副本,影响性能
    function Parent () {
        this.names = ['kevin', 'daisy'];
    }
    
    function Child () {
        Parent.call(this);
    }
    
    var child1 = new Child();
    
    child1.names.push('yayu');
    
    console.log(child1.names); // ["kevin", "daisy", "yayu"]
    
    var child2 = new Child();
    
    console.log(child2.names); // ["kevin", "daisy"]
    

    3. 组合继承

    优点:
    • 将原型链继承和借用构造函数的技术组合到一起, 可以继承实例属性/方法,也可以继承原型属性/方法
    • 既是子类的实例,也是父类的实例
    • 不存在引用属性共享问题
    • 可传参
    • 函数可复用
    缺点:
    • 调用了两次父类构造函数,生成了两份实例(子类实例将子类原型上的那份屏蔽了)
    function Parent (name) {
        this.name = name;
        this.colors = ['red', 'blue', 'green'];
    }
    
    Parent.prototype.getName = function () {
        console.log(this.name)
    }
    
    function Child (name, age) {
    
        Parent.call(this, name);
        
        this.age = age;
    
    }
    
    Child.prototype = new Parent();
    Child.prototype.constructor = Child;
    
    var child1 = new Child('kevin', '18');
    
    child1.colors.push('black');
    
    console.log(child1.name); // kevin
    console.log(child1.age); // 18
    console.log(child1.colors); // ["red", "blue", "green", "black"]
    
    var child2 = new Child('daisy', '20');
    
    console.log(child2.name); // daisy
    console.log(child2.age); // 20
    console.log(child2.colors); // ["red", "blue", "green"]
    

    3. 寄生组合继承

    优点:
    • 将原型链继承和借用构造函数的技术组合到一起, 可以继承实例属性/方法,也可以继承原型属性/方法,不会初始化两次实例方法/属性,避免的组合继承的缺点
    • 既是子类的实例,也是父类的实例
    • 不存在引用属性共享问题
    • 可传参,函数可复用
    缺点:
    • 实现比较复杂
    function Parent (name) {
        this.name = name;
        this.colors = ['red', 'blue', 'green'];
    }
    
    Parent.prototype.getName = function () {
        console.log(this.name)
    }
    
    function Child (name, age) {
        Parent.call(this, name);
        this.age = age;
    }
    
    // 关键的三步
    var F = function () {};
    
    F.prototype = Parent.prototype;
    
    Child.prototype = new F();
    
    
    var child1 = new Child('kevin', '18');
    
    console.log(child1);
    

    相关文章

      网友评论

          本文标题:JS继承

          本文链接:https://www.haomeiwen.com/subject/taxzjqtx.html