ECMAScript 6是否有抽象类约定?

时间:2015-04-06 22:15:53

标签: javascript oop abstract-class ecmascript-6

我很惊讶在阅读ES6时我找不到关于抽象类的任何内容。 (通过“抽象类”我在谈论它的Java含义,其中一个抽象类声明子类必须实现的方法签名才能实例化)。

有没有人知道在ES6中实现抽象类的任何约定?能够通过静态分析捕获抽象类违规会很好。

如果我在运行时引发错误以表示尝试抽象类实例化,那么错误是什么?

1 个答案:

答案 0 :(得分:259)

ES2015没有Java风格的类,内置了适合您所需设计模式的功能。但是,它有一些可能有用的选项,具体取决于您要完成的任务。

如果您想要一个无法构建但可以构建其子类的类,那么您可以使用new.target

class Abstract {
  constructor() {
    if (new.target === Abstract) {
      throw new TypeError("Cannot construct Abstract instances directly");
    }
  }
}

class Derived extends Abstract {
  constructor() {
    super();
    // more Derived-specific stuff here, maybe
  }
}

const a = new Abstract(); // new.target is Abstract, so it throws
const b = new Derived(); // new.target is Derived, so no error

有关new.target的详细信息,您可能需要阅读有关ES2015中的课程如何运作的一般概述:http://www.2ality.com/2015/02/es6-classes-final.html

如果您特别想要实现某些方法,您也可以在超类构造函数中检查它:

class Abstract {
  constructor() {
    if (this.method === undefined) {
      // or maybe test typeof this.method === "function"
      throw new TypeError("Must override method");
    }
  }
}

class Derived1 extends Abstract {}

class Derived2 extends Abstract {
  method() {}
}

const a = new Abstract(); // this.method is undefined; error
const b = new Derived1(); // this.method is undefined; error
const c = new Derived2(); // this.method is Derived2.prototype.method; no error