美文网首页
Javascript实现继承的几种方式

Javascript实现继承的几种方式

作者: 祈澈菇凉 | 来源:发表于2023-10-20 10:38 被阅读0次

    在 JavaScript 中,实现继承有多种方式。以下是其中几种常见的方式:

    1:原型链继承:
    原型链继承是通过将一个对象的实例作为另一个对象的原型来实现继承关系。子对象通过原型链可以访问父对象的属性和方法。

    示例:

    function Parent() {
      this.name = "Parent";
    }
    
    Parent.prototype.sayHello = function() {
      console.log("Hello, I'm " + this.name);
    };
    
    function Child() {
      this.name = "Child";
    }
    
    Child.prototype = new Parent();
    
    const child = new Child();
    child.sayHello(); // 输出: Hello, I'm Child
    

    2:构造函数继承:
    构造函数继承是通过在子对象的构造函数中调用父对象的构造函数来实现继承。这种方式可以实现属性的继承,但无法继承父对象原型上的方法。

    示例:

    function Parent() {
      this.name = "Parent";
    }
    
    function Child() {
      Parent.call(this);
      this.name = "Child";
    }
    
    const child = new Child();
    console.log(child.name); // 输出: Child
    

    3:组合继承:
    组合继承是将原型链继承和构造函数继承结合起来的一种方式。通过调用父对象的构造函数实现属性的继承,并将子对象的原型设置为父对象的实例,实现方法的继承。

    示例:

    function Parent() {
      this.name = "Parent";
    }
    
    Parent.prototype.sayHello = function() {
      console.log("Hello, I'm " + this.name);
    };
    
    function Child() {
      Parent.call(this);
      this.name = "Child";
    }
    
    Child.prototype = new Parent();
    Child.prototype.constructor = Child;
    
    const child = new Child();
    child.sayHello(); // 输出: Hello, I'm Child
    

    4:ES6 的类继承:
    在 ES6 中引入了类的概念,可以使用 extends 关键字来实现类的继承。子类通过 super 关键字调用父类的构造函数和方法。

    示例:

    class Parent {
      constructor() {
        this.name = "Parent";
      }
    
      sayHello() {
        console.log("Hello, I'm " + this.name);
      }
    }
    
    class Child extends Parent {
      constructor() {
        super();
        this.name = "Child";
      }
    }
    
    const child = new Child();
    child.sayHello(); // 输出: Hello, I'm Child
    

    相关文章

      网友评论

          本文标题:Javascript实现继承的几种方式

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