superキーワード

1573 ワード

superキーワードは、親オブジェクト上の関数にアクセスおよび呼び出すために使用されます.コンストラクション関数で使用する場合は、superをthisの前に置く必要があります.そうしないと、エラーが発生します.
1.クラスでsuperを使用する
class Polygon {
    constructor(height, width) {
        this.name = 'Polygon';
        this.height = height;
        this.width = width;
    }
    sayName() {
        console.log('Hi, I am a ', this.name + '.');
    }
}

class Square extends Polygon {
    constructor(length) {
        //this.height;  //this      super 
        super(length, length);
        this.name = 'Square';
    }

    get area() {
        return this.height * this.width;
    }

    set area(value) {
        //this.area = value;
        console.log(value);
    }
}

var res = new Square(2);
console.log(res,res.area); //Square { name: 'Square', height: 2, width: 2 } 4
res.sayName(); //Hi, I am a  Square.


2.親を呼び出す静的メソッド
class Human {
    constructor() {}
    static ping() {
        return 'ping';
    }
}

class Computer extends Human {
    constructor() {}
    static pingpong() {
        return super.ping() + ' pong';
    }
}
console.log(Computer.pingpong());  //ping pong


3.deleteオペレータを使用してsuperのプロパティを削除できません
class Base {
constructor() {}
foo() {}
}
class Derived extends Base {
constructor() {}
delete() {
 delete super.foo;
}
}

new Derived().delete(); 
// ReferenceError: invalid delete involving 'super'.

4.Object.definePropertyを使用して属性を書き込み不可と定義すると、superはこの属性の値を書き換えることができません.