继承的异常和instanceof

时间:2017-12-22 12:11:58

标签: typescript inheritance error-handling instanceof

为什么此代码会返回false

class MyException extends Error {
    constructor(message: string) {
        super(message);
    }
}

const e = new MyException('blah');
console.log(e instanceof MyException); // returns 'false'

执行以下代码时不会发生这种情况:

class Base {
    constructor(message: string) {
        console.log(message);
    }
}

class MyClass extends Base {
    constructor(message: string) {
        super(message);
    }
}

const e = new MyClass('blah');
console.log(e instanceof MyClass); // returns 'true'

1 个答案:

答案 0 :(得分:2)

这是一个众所周知的问题: instanceof is broken when class extends Error type与...有关 使用TypeScript功能支持Polymer标准。

建议的解决方法是:

  • 创建中介课
  • 设置原型
  

不幸的是,这是我们试图采用的一种变化   更符合标准的发射,以便我们可以使Polymer工作   使用TypeScript。

     

对于背景,是2.2中的故意改变(见#12123和   关于我们维基的部分),但很难克服   汇编。我相信在#12790中有一些对话   的解决方法。

     

您现在可以采取的解决方法是创建一个中间类   可以延伸。

export interface MyErrorStatic {
    new (message?: string): RxError;
}
export interface MyError extends Error {}

export const MyError: MyErrorStatic = function MyError(this: Error, message: string) {
    const err = Error.call(this, message);
    this.message = message;
    this.stack = err.stack;
    return err;
} as any;

export class HttpError extends MyError {
    // ...
}
  

在TypeScript 2.2中,您将能够自己设置原型。

// Use this class to correct the prototype chain.
export class MyError extends Error {
    __proto__: Error;
    constructor(message?: string) {
        const trueProto = new.target.prototype;
        super(message);

        // Alternatively use Object.setPrototypeOf if you have an ES6 environment.
        this.__proto__ = trueProto;
    }
}