继承

原型继承
原型继承的基本形式:

    function A() {
        this.x = 100;
    }
    A.prototype.getX = function () {
        console.log(this.x);
    }
    function B() {
        this.y = 200;
    }
    B.prototype = new A();

-> 原型继承是JavaScript中最常用的一种继承方式。
-> 子类B想要继承父类A中的所有的属性和方法(私有+公有),只需要让B的prototype = new A(); 即可。
-> 原型继承的特点:它是把父类中公有的和私有的都继承到了子类的原型上(子类公有的)。
-> 核心:原型继承并不是把父类中的属性和方法克隆一份一模一样的给B,而是让B和A之间增加了原型链的链接,以后B的实例n想要用A中的getX的方法,需要一级级的向上查找来使用。

多重继承

   function myObject() {

    }
    myObject.prototype = {
        constructor: myObject,
        hasOwnProperty: function () {

        }
    }
    function myEventTarget() {

    }
    myEventTarget.prototype = new myObject();
    myEventTarget.prototype.addEventListener = function () {

    }
    function myNode() {

    }
    myNode.prototype = new myEventTarget();
    myNode.prototype.createElement = function () {

    }
    var node = new myNode();

    // 原型继承的基本形式:
    function A() {
        this.x = 100;
    }
    A.prototype.getX = function () {
        console.log(this.x);
    }
    function B() {
        this.y = 200;
    }
    B.prototype = new A();

call继承: 把父类私有的属性和方法,克隆一份一模一样的 作为子类私有的属性。

    function A() {
        this.x = 100;
    }
    A.prototype.getX = function () {
        console.log(this.x);
    }

    function B() {
        // this -> n
        A.call(this); // -> A.call(n) 把A执行让A中的this变成了n
    }
    var n = new B();
    console.log(n.x);

冒充对象继承: 冒充对象继承: 把父类私有的+公有的 克隆一份一模一样的 给子类私有的

    function A() {
        this.x = 100;
    }
    A.prototype.getX = function () {
        console.log(this.x);
    }

    function B() {
        var temp = new A();
        for (var key in temp) {
            this[key] = temp[key];
        }
        temp = null;
    }

混合模式继承: 原型继承 + call继承

    function A() {
        this.x = 100;
    }
    A.prototype.getX = function () {
        console.log(this.x);
    }

    function B() {
        A.call(this);
    }
    B.prototype = new A(); // -> B.prototype: x = 100, getX...
    B.prototype.constructor = B;

寄生式组合继承

    function A() {
        this.x = 100;
    }
    A.prototype.getX = function () {
        console.log(this.x);
    }

    function B() {
        A.call(this);
    }
    B.prototype = Object.create(A.prototype);
    B.prototype.constructor = B;

你可能感兴趣的:(继承)