打字稿重载箭头功能不起作用

时间:2019-05-13 09:37:44

标签: typescript overloading arrow-functions

(我正在使用严格的null检查)

我有以下带有重载类型的箭头功能:

    type INumberConverter = {
      (value: number): number;
      (value: null): null;
    };
    const decimalToPercent: INumberConverter = (value: number | null): number | null => {
      if (!value) {
        return null;
      }
      return value * 100;
    };

据我对其他问题(Can I use TypeScript overloads when using fat arrow syntax for class methods?)的理解,这应该是有效的。永远不会,但我得到以下错误:

TS2322: Type '(value: number | null) => number | null' is not assignable to type 'INumberConverter'.   Type 'number | null' is not assignable to type 'number'.     Type 'null' is not assignable to type 'number'

如果我定期编写此函数(使用function关键字):

    function decimalToPercent(value: null): null;
    function decimalToPercent(value: number): number;
    function decimalToPercent(value: number | null): number | null {
      if (!value) {
        return null;
      }
      return value * 100;
    }

它可以正常工作。

我需要使用箭头功能,以便不会更改this,并且我需要重载,以便打字稿知道decimalToPercent(1)不能为空。

为什么它不能按我的方式工作,如何解决?

1 个答案:

答案 0 :(得分:1)

关于重载签名和实现签名之间兼容性的规则要比分配规则宽松得多。

在这种情况下,您尝试将可能返回null的函数分配给具有过载功能的函数,该重载禁止返回null((value: number): number;)。编译器将正确地找到此麻烦。对于重载,由于签名和实现都是作为一个单元编写的,因此编译器会假定“您知道自己在做什么”(正确或不正确)。

您可以通过多种方式解决它:

您可以使用类型断言,尽管您将为实现,签名兼容性而放弃大多数类型检查:

type INumberConverter = {
  (value: number): number;
  (value: null): null;
};
const decimalToPercent = ((value: number | null): number | null => {
  if (!value) {
    return null;
  }
  return value * 100;
}) as INumberConverter;

您也可以像过去function一样使用常规的this并捕获ES5,尽管此解决方案意味着要复制很多函数签名:

type INumberConverter = {
  (value: number): number;
  (value: null): null;
};

class X {
    decimalToPercent: INumberConverter;
    multiper = 100;
    constructor() {
        let self = this;
        function decimalToPercent(value: number): number;
        function decimalToPercent(value: null): null;
        function decimalToPercent(value: number | null): number | null {
            if (!value) {
                return null;
            }
            // use self
            return value * self.multiper;
        };
        this.decimalToPercent = decimalToPercent;
    }
}

或者最简单的解决方案是在构造函数中使用bind并将函数编写为常规方法:

class X {

    decimalToPercent(value: number): number;
    decimalToPercent(value: null): null;
    decimalToPercent(value: number | null): number | null {
        if (!value) {
            return null;
        }
        return value * this.multiper;
    };
    multiper = 100;
    constructor() {
        this.decimalToPercent = this.decimalToPercent.bind(this);
    }
}