TS内置类型与拓展

TS内置类型与拓展

TypeScript具有类型系统,且是JavaScript的超集,其可以编译成普通的JavaScript代码,也就是说,其是带有类型检查的JavaScript

内置类型#

TypeScript提供了几种实用程序类型来促进常见的类型转换,这些类型在全局范围内可用。

Partial#

Partial<Type>构造一个类型使Type的所有属性都设置为可选。

Copy
/** * Make all properties in T optional */ type Partial<T> = { [P in keyof T]?: T[P]; };
Copy
interface Example { a: string; b: number; } type PartialExample = Partial<Example>; /** * PartialExample * interface { * a?: string | undefined; * b?: number | undefined; * } */

Required#

Required<Type>构造一个类型使Type的所有属性都设置为required,与Partial<Type>功能相反。

Copy
/** * Make all properties in T required */ type Required<T> = { [P in keyof T]-?: T[P]; };
Copy
interface Example { a?: string; b?: number; } type RequiredExample = Required<Example>; /** * RequiredExample * interface { * a: string; * b: number; * } */

Readonly#

Required<Type>构造一个类型使Type的所有属性都设置为readonly,这意味着构造类型的属性都是只读的,不能被修改,这对使用Object.freeze()方法的对象非常有用。

Copy
/** * Make all properties in T readonly */ type Readonly<T> = { readonly [P in keyof T]: T[P]; };
Copy
interface Example { a: string; b: number; } type ReadonlyExample = Readonly<Example>; /** * ReadonlyExample * interface { * readonly a: string; * readonly b: number; * } */

Record#

Record<Keys, Type>构造一个对象类型,其属性键为Keys,其属性值为Type,通常可以使用Record来表示一个对象。

Copy
/** * Construct a type with a set of properties K of type T */ type Record<K extends keyof any, T> = { [P in K]: T; };
Copy
type RecordType = Record<string, string|number>; const recordExample: RecordType ={ a: 1, b: "1" }

Pick#

Pick<Type, Keys>通过从Type中选择一组属性Keys来构造一个类型。

Copy
/** * From T, pick a set of properties whose keys are in the union K */ type Pick<T, K extends keyof T> = { [P in K]: T[P]; };
Copy
interface Example { a: string; b: number; c: symbol; } type PickExample = Pick<Example, "a"|"b">; /** * PickExample * interface { * a: string; * b: number; * } */

Omit#

Omit<Type, Keys>通过从Type中选择所有属性然后删除Keys来构造一个类型,与Pick<Type, Keys>功能相反。

Copy
/** * Construct a type with the properties of T except for those in type K. */ type Omit<T, K extends keyof any> = Pick<T, Exclude<keyof T, K>>;
Copy
interface Example { a: string; b: number; c: symbol; } type OmitExample = Omit<Example, "a"|"b">; /** * OmitExample * interface { * c: symbol; * } */

Exclude#

Exclude<UnionType, ExcludedMembers>通过从UnionType中排除可分配给ExcludedMembers的所有联合成员来构造类型。

Copy
/** * Exclude from T those types that are assignable to U */ type Exclude<T, U> = T extends U ? never : T;
Copy
type ExcludeExample = Exclude<"a"|"b"|"c"|"z", "a"|"b"|"d">; /** * ExcludeExample * "c" | "z" */

Extract#

Extract<Type, Union>通过从Type中提取所有可分配给Union的联合成员来构造一个类型,与Exclude<UnionType, ExcludedMembers>功能相反。

Copy
/** * Extract from T those types that are assignable to U */ type Extract<T, U> = T extends U ? T : never;
Copy
type ExtractExample = Extract<"a"|"b"|"c"|"z", "a"|"b"|"d">; /** * ExtractExample * "a" | "b" */

NonNullable#

NonNullable<Type>通过从Type中排除nullundefined来构造一个类型。

Copy
/** * Exclude null and undefined from T */ type NonNullable<T> = T extends null | undefined ? never : T;
Copy
type NonNullableExample = NonNullable<number|string|null|undefined>; /** * NonNullableExample * string | number */

Parameters#

Parameters<Type>从函数类型Type的参数中使用的类型构造元组类型。

Copy
/** * Obtain the parameters of a function type in a tuple */ type Parameters<T extends (...args: any) => any> = T extends (...args: infer P) => any ? P : never;
Copy
type FnType = (a1: number, a2: string) => void; type ParametersExample = Parameters<FnType>; /** * ParametersExample * [a1: number, a2: string] */

ConstructorParameters#

ConstructorParameters<Type>从构造函数类型的类型构造元组或数组类型,其产生一个包含所有参数类型的元组类型。

Copy
/** * Obtain the parameters of a constructor function type in a tuple */ type ConstructorParameters<T extends abstract new (...args: any) => any> = T extends abstract new (...args: infer P) => any ? P : never;
Copy
interface Example{ fn(a: string): string; } interface ExampleConstructor{ new(a: string, b: number): Example; } declare const Example: ExampleConstructor; type ConstructorParametersExample = ConstructorParameters<ExampleConstructor>; /** * ConstructorParametersExample * [a: string, b: number] */

ReturnType#

ReturnType<Type>构造一个由函数Type的返回类型组成的类型。

Copy
/** * Obtain the return type of a function type */ type ReturnType<T extends (...args: any) => any> = T extends (...args: any) => infer R ? R : any;
Copy
type FnType = (a1: number, a2: string) => string | number; type ReturnTypeExample = ReturnType<FnType>; /** * ReturnTypeExample * string | number */

InstanceType#

InstanceType<Type>构造一个由Type中构造函数的实例类型组成的类型。

Copy
/** * Obtain the return type of a constructor function type */ type InstanceType<T extends abstract new (...args: any) => any> = T extends abstract new (...args: any) => infer R ? R : any;
Copy
interface Example{ fn(a: string): string; } interface ExampleConstructor{ new(a: string, b: number): Example; } declare const Example: ExampleConstructor; type InstanceTypeExample = InstanceType<ExampleConstructor>; // const a: InstanceTypeExample = new Example("a", 1); // new ExampleConstructor => Example /** * InstanceTypeExample * Example */

ThisParameterType#

ThisParameterType<Type>提取函数类型的this参数的类型,如果函数类型没有this参数,则为unknown

Copy
/** * Extracts the type of the 'this' parameter of a function type, or 'unknown' if the function type has no 'this' parameter. */ type ThisParameterType<T> = T extends (this: infer U, ...args: any[]) => any ? U : unknown;
Copy
function toHex(this: Number) { return this.toString(16); } type ThisParameterTypeExample = ThisParameterType<typeof toHex>; console.log(toHex.apply(27)); // 1b /** * ThisParameterTypeExample * Number */

OmitThisParameter#

OmitThisParameter<Type>Type中移除this参数,如果Type没有显式声明此参数,则结果只是Type,否则,从Type创建一个不带此参数的新函数类型。泛型被删除,只有最后一个重载签名被传播到新的函数类型中。

Copy
/** * Removes the 'this' parameter from a function type. */ type OmitThisParameter<T> = unknown extends ThisParameterType<T> ? T : T extends (...args: infer A) => infer R ? (...args: A) => R : T;
Copy
function toHex(this: Number) { return this.toString(16); } type OmitThisParameterExample = OmitThisParameter<typeof toHex>; const toHex27: OmitThisParameterExample = toHex.bind(27); console.log(toHex27()); // 1b /** * OmitThisParameterExample * () => string */

ThisType#

ThisType<Type>可以在对象字面量中键入this,并提供通过上下文类型控制this类型的便捷方式,其只有在--noImplicitThis的选项下才有效。

Copy
/** * Marker for contextual 'this' type */ interface ThisType<T> { }
Copy
// const foo1 = { // bar() { // console.log(this.a); // error // } // } const foo2: { bar: () => void } & ThisType<{ a: number }> = { bar() { console.log(this.a); // ok } }

Uppercase#

Uppercase<StringType>StringType转为大写,TS以内置关键字intrinsic来通过编译期来实现。

Copy
/** * Convert string literal type to uppercase */ type Uppercase<S extends string> = intrinsic;
Copy
type UppercaseExample = Uppercase<"abc">; /** * UppercaseExample * ABC */

Lowercase#

Lowercase<StringType>StringType转为小写。

Copy
/** * Convert string literal type to lowercase */ type Lowercase<S extends string> = intrinsic;
Copy
type LowercaseExample = Lowercase<"ABC">; /** * LowercaseExample * abc */

Capitalize#

Capitalize<StringType>StringType首字母转为大写。

Copy
/** * Convert first character of string literal type to uppercase */ type Capitalize<S extends string> = intrinsic;
Copy
type CapitalizeExample = Capitalize<"abc">; /** * CapitalizeExample * Abc */

Uncapitalize#

Uncapitalize<StringType>StringType首字母转为小写。

Copy
/** * Convert first character of string literal type to lowercase */ type Uncapitalize<S extends string> = intrinsic;
Copy
type UncapitalizeExample = Uncapitalize<"ABC">; /** * CapitalizeExample * aBC */

拓展#

TypeScript中常用的一些语法以及概念。

泛型#

泛型Generics是指在定义函数、接口或类的时候,不预先指定具体的类型,而在使用的时候再指定类型的一种特性。举一个简单的例子,如果需要实现一个生成数组的函数,这个数组会填充默认值,这个数组填充的类型不需要事先指定,而可以在使用的时候指定。当然在这里使用new Array组合fill函数是一个效果。

Copy
function createArray<T>(value: T, length: number): T[] { const result: T[] = []; for (let i = 0; i < length; i++) { result[i] = value; } return result; } console.log(createArray<number>(1, 3)); // 不显式地指定`number`也可以自动推断

我们也可以约束T的类型只能为numberstring

Copy
const createArray = <T extends number|string>(value: T, length: number): T[] => { const result: T[] = []; for (let i = 0; i < length; i++) { result[i] = value; } return result; } console.log(createArray<number>(1, 3)); // console.log(createArray(true, 3)); // Argument of type 'boolean' is not assignable to parameter of type 'string | number'.(2345)

多个类型也可以相互约束,例如上边的Pick,在这里的K必须是Tkey的子集。

Copy
type Pick<T, K extends keyof T> = { [P in K]: T[P]; };

在传递泛型的时候可以为T指定默认值,使用范型编写class即泛型类也是完全支持的。

Copy
class Example<T = number> { public value: T; public add: (x: T, y: T) => T; constructor(value: T, add: (x: T, y: T) => T){ this.value = value; this.add = add; } } let example = new Example<number>(1, (x, y) => x + y); console.log(example.value); // 1 console.log(example.add(1, 2)); // 3

断言#

类型断言Type Assertion可以用来手动指定一个值的类型,由于<Type>value的语法容易与TSX冲突,所以通常都是使用value as Type的语法。通常当TypeScript不确定一个联合类型的变量到底是哪个类型的时候,我们只能访问此联合类型的所有类型中共有的属性或方法。

Copy
interface Cat { name: string; run(): void; } interface Fish { name: string; swim(): void; } function getName(animal: Cat | Fish) { return animal.name; }

而有时候,我们确实需要在还不确定类型的时候就访问其中一个类型特有的属性或方法。

Copy
interface Cat { name: string; run(): void; } interface Fish { name: string; swim(): void; } function isFish(animal: Cat | Fish) { if (typeof animal.swim === "function") { // Property 'swim' does not exist on type 'Cat | Fish'. Property 'swim' does not exist on type 'Cat'.(2339) return true; } return false; }

上面的例子中,获取animal.swim的时候会报错,此时可以使用类型断言,将animal断言成Fish。当然这里只是举一个例子说明断言的使用,因为滥用断言是不提倡的,类型断言只能够欺骗TypeScript编译器,而无法避免运行时的错误,滥用类型断言可能会导致运行时错误。

Copy
interface Cat { name: string; run(): void; } interface Fish { name: string; swim(): void; } function isFish(animal: Cat | Fish) { if (typeof (animal as Fish).swim === "function") { return true; } return false; }

单个断言即value as Type是有一定条件的,当S类型是T类型的子集,或者T类型是S类型的子集时,S能被成功断言成T。这是为了在进行类型断言时提供额外的安全性,完全毫无根据的断言是危险的,如果你想这么做,你可以使用any
如果认为某个值value必定是某种类型Type,而单个断言无法满足要求,可以使用双重断言,即value as unknown as Type,使用value as any as Type也是同样的效果,但是若使用双重断言,则可以打破要使得A能够被断言为B,只需要A兼容BB兼容A即可的限制,将任何一个类型断言为任何另一个类型。通常来说除非迫不得已,不要使用双重断言。
此外类型断言之所以不被称为类型转换,是因为类型转换通常意味着某种运行时的支持,而类型断言只会影响TypeScript编译时的类型,类型断言语句在编译结果中会被删除,也就是说类型断言纯粹是一个编译时语法,同时其也是一种为编译器提供关于如何分析代码的方法。
与类型断言相关的还有一个!的表达式,其在TypeScript 2.7被加入,其称为definite assignment assertion显式赋值断言,显式赋值断言允许你在实例属性和变量声明之后加一个感叹号!,来告诉TypeScript这个变量确实已被赋值,即使TypeScript不能分析出这个结果。

Copy
let x: number; let y!: number; console.log(x + x); // Variable 'x' is used before being assigned.(2454) console.log(y + y); // ok

既然说到了!,那么也可以说一下?,在interface?undefined并不是等效的,在下面的例子中,在b未将?声明的情况下,其在interface下是requiredTypeScript认为其是必须指定的key即使其值只能为undefined

Copy
interface Example{ a?: number; b: undefined; } const example1: Example = {}; // Property 'b' is missing in type '{}' but required in type 'Example'.(2741) const example2: Example = { b: undefined }; // ok

infer#

infer示在extends条件语句中待推断的类型变量,也可以认为其是一个占位符,用以在使用时推断。例如上边的ReturnType就是通过infer进行推断的,首先是范型约束了一个函数类型,然后在后边进行infer占位后进行推断。

Copy
type ReturnType<T extends (...args: any) => any> = T extends (...args: any) => infer R ? R : any;

有一些应用,tupleunion,如[string, number, symbol] -> string | number | symbol

Copy
type ElementOf<T> = T extends Array<infer E> ? E : never; type TTuple = [string, number, symbol]; type ToUnion = ElementOf<TTuple>; // string | number | symbol

还有一个比较离谱的实现。

Copy
type TTuple = [string, number, symbol]; type Res = TTuple[number]; // string | number | symbol // https://stackoverflow.com/questions/44480644/string-union-to-string-array/45486495#45486495

还比如获取函数参数的第一个参数类型。

Copy
type fn = (a: number, b: string, ddd: boolean) => void; type FirstParameter<T> = T extends (args1: infer R, ...rest: any[]) => any ? R : never; type firstArg = FirstParameter<fn>; // number

函数重载#

TypeScript允许声明函数重载,即允许一个函数接受不同数量或类型的参数时,作出不同的处理。当然,最终声明即从函数内部看到的真正声明与所有重载兼容是很重要的。这是因为这是函数体需要考虑的函数调用的真实性质。

Copy
function reverse(x: number): number; function reverse(x: string): string; function reverse(x: number | string): number | string | void { if (typeof x === "number") { return Number(x.toString().split("").reverse().join("")); } else if (typeof x === "string") { return x.split("").reverse().join(""); } }

还有一个比较实用的简单例子,在ios上的Date对象是不接受形如2022-04-05 20:00:00的字符串去解析的,当在safari的控制台执行时,会出现一些异常行为。这个字符串的解析在谷歌浏览器或者安卓上就没有问题,所以需要做一下兼容处理。

Copy
// safari const date = new Date("2022-04-05 20:00:00"); console.log(date.getDay()); // NaN // chrome const date = new Date("2022-04-05 20:00:00"); console.log(date.getDay()); // 2

所以需要对时间日期对象做一下简单的兼容,但是做兼容时又需要保证TS的声明,这时就可以使用函数重载等方式处理。

Copy
function safeDate(): Date; function safeDate(date: Date): Date; function safeDate(timestamp: number): Date; function safeDate(dateTimeStr: string): Date; function safeDate( year: number, month: number, date?: number, hours?: number, minutes?: number, seconds?: number, ms?: number ): Date; function safeDate( p1?: Date | number | string, p2?: number, p3?: number, p4?: number, p5?: number, p6?: number, p7?: number ): Date | never { if (p1 === void 0) { // 无参构建 return new Date(); } else if (p1 instanceof Date || (typeof p1 === "number" && p2 === void 0)) { // 第一个参数为`Date`或者`Number`且无第二个参数 return new Date(p1); } else if (typeof p1 === "number" && typeof p2 === "number") { // 第一和第二个参数都为`Number` return new Date(p1, p2, p3 || 1, p4 || 0, p5 || 0, p6 || 0, p7 || 0); } else if (typeof p1 === "string") { // 第一个参数为`String` return new Date(p1.replace(/-/g, "/")); } throw new Error("No suitable parameters"); } console.log(safeDate("2022-04-05 20:00:00").getDay()); // 2
Copy
type DateParams = | [] | [string] | [number, number?, number?, number?, number?, number?, number?] | [Date]; const safeDate = <T extends DateParams>(...args: T): Date => { const copyParams = args.slice(0); if (typeof copyParams[0] === "string") copyParams[0] = copyParams[0].replace(/-/g, "/"); return new Date(...(args as ConstructorParameters<typeof Date>)); }; console.log(safeDate("2022-04-05 20:00:00").getDay()); // 2

声明文件#

对于全局变量的声明文件主要有以下几种语法:

  • declare var声明全局变量。
  • declare function声明全局方法。
  • declare class声明全局类。
  • declare enum声明全局枚举类型。
  • declare namespace声明含有子属性的全局对象。
  • interfacetype声明全局类型。
  • declare module拓展声明。

我们可以通过declare关键字来告诉TypeScript,某些变量或者对象已经声明,我们可以选择把这些声明放入.ts或者.d.ts里。declare namespace表示全局变量是一个对象,包含很多子属性。

Copy
// global.d.ts declare namespace App { interface Utils { onload: <T extends unknown[]>(fn: (...args: T) => void, ...args: T) => void; } } declare interface Window{ utils: App.Utils } // main.ts window.utils = { onload: () => void 0 }

对于模块的声明文件主要有以下几种语法:

  • export导出变量。
  • export namespace导出含有子属性的对象。
  • export default ES6默认导出。
  • export = 导出CommonJs模块。

模块的声明文件与全局变量的声明文件有很大区别,在模块的声明文件中,使用declare不再会声明一个全局变量,而只会在当前文件中声明一个局部变量,只有在声明文件中使用export导出,然后在使用方import导入后,才会应用到这些类型声明,如果想使用模块的声明文件而并没有实际的export时,通常会显示标记一个空导出export {}。对于模块的声明文件我们更推荐使用 ES6标准的export defaultexport

Copy
// xxx.ts export const name: string = "1"; // xxxxxx.ts import { name } from "xxx.ts"; console.log(name); // 1 // typeof name === "string"

如果是需要扩展原有模块的话,需要在类型声明文件中先引用原有模块,再使用declare module扩展原有模块。

Copy
// xxx.d.ts import * as moment from "moment"; declare module "moment" { export function foo(): moment.CalendarKey; } // xxx.ts import * as moment from "moment"; moment.foo();
Copy
import Vue from "vue"; declare module "vue/types/vue" { interface Vue { copy: (str: string) => void; } }

还有一些诸如.vue文件、.css.scss文件等,需要在全局中进行声明其import时对象的类型。

Copy
declare module "*.vue" { import Vue from "vue/types/vue"; export default Vue; }
Copy
declare module "*.module.css" { const classes: { readonly [key: string]: string }; export default classes; }
Copy
declare module "*.module.scss" { const classes: { readonly [key: string]: string }; export default classes; }

在声明文件中,还可以通过三斜线指令即///来导入另一个声明文件,在全局变量的声明文件中,是不允许出现importexport关键字的,一旦出现了,那么他就会被视为一个模块或UMD库,就不再是全局变量的声明文件了,故当我们在书写一个全局变量的声明文件时,如果需要引用另一个库的类型,那么就必须用三斜线指令了。

Copy
// types/jquery-plugin/index.d.ts /// <reference types="jquery" /> declare function foo(options: JQuery.AjaxSettings): string; // src/index.ts foo({});

协变与逆变#

子类型在编程理论上是一个复杂的话题,而他的复杂之处来自于一对经常会被混淆的现象。简单来说,协变即类型收敛,逆变即类型发散。在这里由下面的例子引起关于这个问题的讨论,在这里我们定义了一个父类型以及一个子类型,而且我们验证了这个子类型在TS中是OK的。

Copy
type SuperType = (value: number|string) => number|string; // 父类型 type SubType = (value: number|string|boolean) => number; // 子类型 参数逆变 返回值协变 const subFn: SubType = (value: number|string|boolean) => 1; const superFn: SuperType = subFn; // ok

首先我们可以探讨一下子类型,明显numbernumber|string的子类型,那么下面这个例子是完全OK的,这同样也是一个协变的过程,由此看来在上边例子的SubType确实是SuperType的子类型。

Copy
type SuperType = number|string; // 父类型 type SubType = number; // 子类型 const subValue: SubType = 1; const superValue: SuperType = subValue; // ok

那么此时就回到最上边的例子,这个函数参数value的类型就很奇怪,明明是子类型,反而类型的种类更多了,这个其实就是所谓的逆变,其实这就是为了保证类型的收敛是安全的。此时我们的subFn实际代表的函数是SuperType类型的,当我们实际调用的时候,传递的参数由于是SuperType类型的即number|string,所以必定是SubType类型的子类即number|string|boolean,这样也就保证了函数参数的收敛安全,之后当函数执行完成进行返回值时,由于函数实际定义时的返回类型是number,那么在返回出去的时候也必定是number|string的子类,这样也就保证了函数返回值的收敛安全。我们可以通过这个图示去理解这个函数子类型的问题,类似于以下的调用过程,由此做到类型收敛的安全。

Copy
父类型参数 -> 子类型参数 -> 执行 -> 子类型返回值 -> 父类型返回值 number|string -> number|string|boolean -> ... -> number -> number|string

我们可以进行一个总结: 除了函数参数类型是逆变,都是协变。将一个函数赋给另一个函数变量时,要保证参数类型发散,即比目标类型范围小。目标函数执行时是执行的原函数,传入的参数类型会收敛为原函数参数类型。协变表示类型收敛,即类型范围缩小或不变,逆变反之。本质是为了保证执行时类型收敛是安全的。

另外可以看一下 这篇文章 对于协变与逆变的描述。
开始文章之前我们先约定如下的标记,A ≼ B意味着AB的子类型;A → B指的是以A为参数类型,以B为返回值类型的函数类型;x : A意味着x的类型为A
假设我有如下三种类型:Greyhound ≼ Dog ≼ Animal
Greyhound灰狗是Dog狗的子类型,而Dog则是Animal动物的子类型,由于子类型通常是可传递的,因此我们也称GreyhoundAnimal的子类型,问题: 以下哪种类型是Dog → Dog的子类型呢。

  1. Greyhound → Greyhound
  2. Greyhound → Animal
  3. Animal → Animal
  4. Animal → Greyhound

让我们来思考一下如何解答这个问题,首先我们假设f是一个以Dog → Dog为参数的函数,它的返回值并不重要,为了具体描述问题,我们假设函数结构体是这样的f :(Dog → Dog ) → String,现在我想给函数f传入某个函数g来调用,我们来瞧瞧当g为以上四种类型时,会发生什么情况。

1.我们假设g : Greyhound → Greyhoundf(g)的类型是否安全?
不安全,因为在f内调用它的参数(g)函数时,使用的参数可能是一个不同于灰狗但又是狗的子类型,例如GermanShepherd牧羊犬。
2.我们假设g : Greyhound → Animalf(g)的类型是否安全?
不安全。理由同1
3.我们假设g : Animal → Animalf(g)的类型是否安全?
不安全。因为f有可能在调用完参数之后,让返回值也就是Animal动物狗叫,并非所有动物都会狗叫。
4.我们假设g : Animal → Greyhoundf(g)的类型是否安全?
是的,它的类型是安全的,首先f可能会以任何狗的品种来作为参数调用,而所有的狗都是动物,其次,它可能会假设结果是一条狗,而所有的灰狗都是狗。

如上所述,我们得出结论(Animal → Greyhound) ≼ (Dog → Dog)返回值类型很容易理解,灰狗是狗的子类型,但参数类型则是相反的,动物是狗的父类。用合适的术语来描述这个奇怪的表现,可以说我们允许一个函数类型中,返回值类型是协变的,而参数类型是逆变的。返回值类型是协变的,意思是A ≼ B就意味着(T → A ) ≼ ( T → B ),参数类型是逆变的,意思是A ≼ B就意味着(B → T ) ≼ ( A → T )AB的位置颠倒过来了。一个有趣的现象是在TypeScript中,参数类型是双向协变的,也就是说既是协变又是逆变的,而这并不安全,但是现在你可以在TypeScript 2.6版本中通过--strictFunctionTypes--strict标记来修复这个问题。

tsconfig.json#

Copy
{ "compilerOptions": { /* Basic Options */ "target": "es5" /* target用于指定编译之后的版本目标: 'ES3' (default), 'ES5', 'ES2015', 'ES2016', 'ES2017', 'ES2018', 'ES2019' or 'ESNEXT'. */, "module": "commonjs" /* 用来指定要使用的模块标准: 'none', 'commonjs', 'amd', 'system', 'umd', 'es2015', or 'ESNext'. */, "lib": ["es6", "dom"] /* lib用于指定要包含在编译中的库文件 */, "allowJs": true, /* allowJs设置的值为true或false,用来指定是否允许编译js文件,默认是false,即不编译js文件 */ "checkJs": true, /* checkJs的值为true或false,用来指定是否检查和报告js文件中的错误,默认是false */ "jsx": "preserve", /* 指定jsx代码用于的开发环境: 'preserve', 'react-native', or 'react'. */ "declaration": true, /* declaration的值为true或false,用来指定是否在编译的时候生成相应的".d.ts"声明文件。如果设为true,编译每个ts文件之后会生成一个js文件和一个声明文件。但是declaration和allowJs不能同时设为true */ "declarationMap": true, /* 值为true或false,指定是否为声明文件.d.ts生成map文件 */ "sourceMap": true, /* sourceMap的值为true或false,用来指定编译时是否生成.map文件 */ "outFile": "./", /* outFile用于指定将输出文件合并为一个文件,它的值为一个文件路径名。比如设置为"./dist/main.js",则输出的文件为一个main.js文件。但是要注意,只有设置module的值为amd和system模块时才支持这个配置 */ "outDir": "./", /* outDir用来指定输出文件夹,值为一个文件夹路径字符串,输出的文件都将放置在这个文件夹 */ "rootDir": "./", /* 用来指定编译文件的根目录,编译器会在根目录查找入口文件,如果编译器发现以rootDir的值作为根目录查找入口文件并不会把所有文件加载进去的话会报错,但是不会停止编译 */ "composite": true, /* 是否编译构建引用项目 */ "incremental": true, /* 是否启用增量编译*/ "tsBuildInfoFile": "./", /* 指定文件用来存储增量编译信息 */ "removeComments": true, /* removeComments的值为true或false,用于指定是否将编译后的文件中的注释删掉,设为true的话即删掉注释,默认为false */ "noEmit": true, /* 不生成编译文件,这个一般比较少用 */ "importHelpers": true, /* importHelpers的值为true或false,指定是否引入tslib里的辅助工具函数,默认为false */ "downlevelIteration": true, /* 当target为'ES5' or 'ES3'时,为'for-of', spread, and destructuring'中的迭代器提供完全支持 */ "isolatedModules": true, /* isolatedModules的值为true或false,指定是否将每个文件作为单独的模块,默认为true,它不可以和declaration同时设定 */ "newLine": "lf", /* 指定换行符。可选`crlf`和`LF`两种 */ /* Strict Type-Checking Options */ "strict": true /* strict的值为true或false,用于指定是否启动所有类型检查,如果设为true则会同时开启下面这几个严格类型检查,默认为false */, "noImplicitAny": true, /* noImplicitAny的值为true或false,如果我们没有为一些值设置明确的类型,编译器会默认认为这个值为any,如果noImplicitAny的值为true的话。则没有明确的类型会报错。默认值为false */ "strictNullChecks": true, /* strictNullChecks为true时,null和undefined值不能赋给非这两种类型的值,别的类型也不能赋给他们,除了any类型。还有个例外就是undefined可以赋值给void类型 */ "strictFunctionTypes": true, /* strictFunctionTypes的值为true或false,用于指定是否使用函数参数双向协变检查 */ "strictBindCallApply": true, /* 设为true后会对bind、call和apply绑定的方法的参数的检测是严格检测的 */ "strictPropertyInitialization": true, /* 设为true后会检查类的非undefined属性是否已经在构造函数里初始化,如果要开启这项,需要同时开启strictNullChecks,默认为false */ "noImplicitThis": true, /* 当this表达式的值为any类型的时候,生成一个错误 */ "alwaysStrict": true, /* alwaysStrict的值为true或false,指定始终以严格模式检查每个模块,并且在编译之后的js文件中加入"use strict"字符串,用来告诉浏览器该js为严格模式 */ /* Additional Checks */ "noUnusedLocals": true, /* 用于检查是否有定义了但是没有使用的变量,对于这一点的检测,使用eslint可以在你书写代码的时候做提示,你可以配合使用。它的默认值为false */ "noUnusedParameters": true, /* 用于检查是否有在函数体中没有使用的参数,这个也可以配合eslint来做检查,默认为false */ "noImplicitReturns": true, /* 用于检查函数是否有返回值,设为true后,如果函数没有返回值则会提示,默认为false */ "noFallthroughCasesInSwitch": true, /* 用于检查switch中是否有case没有使用break跳出switch,默认为false */ /* Module Resolution Options */ "moduleResolution": "node", /* 用于选择模块解析策略,有'node'和'classic'两种类型' */ "baseUrl": "./", /* baseUrl用于设置解析非相对模块名称的基本目录,相对模块不会受baseUrl的影响 */ "paths": {}, /* 用于设置模块名称到基于baseUrl的路径映射 */ "rootDirs": [], /* rootDirs可以指定一个路径列表,在构建时编译器会将这个路径列表中的路径的内容都放到一个文件夹中 */ "typeRoots": [], /* typeRoots用来指定声明文件或文件夹的路径列表,如果指定了此项,则只有在这里列出的声明文件才会被加载 */ "types": [], /* types用来指定需要包含的模块,只有在这里列出的模块的声明文件才会被加载进来 */ "allowSyntheticDefaultImports": true, /* 用来指定允许从没有默认导出的模块中默认导入 */ "esModuleInterop": true /* 通过为导入内容创建命名空间,实现CommonJS和ES模块之间的互操作性 */, "preserveSymlinks": true, /* 不把符号链接解析为其真实路径,具体可以了解下webpack和nodejs的symlink相关知识 */ /* Source Map Options */ "sourceRoot": "", /* sourceRoot用于指定调试器应该找到TypeScript文件而不是源文件位置,这个值会被写进.map文件里 */ "mapRoot": "", /* mapRoot用于指定调试器找到映射文件而非生成文件的位置,指定map文件的根路径,该选项会影响.map文件中的sources属性 */ "inlineSourceMap": true, /* 指定是否将map文件的内容和js文件编译在同一个js文件中,如果设为true,则map的内容会以//# sourceMappingURL=然后拼接base64字符串的形式插入在js文件底部 */ "inlineSources": true, /* 用于指定是否进一步将.ts文件的内容也包含到输入文件中 */ /* Experimental Options */ "experimentalDecorators": true /* 用于指定是否启用实验性的装饰器特性 */ "emitDecoratorMetadata": true, /* 用于指定是否为装饰器提供元数据支持,关于元数据,也是ES6的新标准,可以通过Reflect提供的静态方法获取元数据,如果需要使用Reflect的一些方法,需要引入ES2015.Reflect这个库 */ } "files": [], // files可以配置一个数组列表,里面包含指定文件的相对或绝对路径,编译器在编译的时候只会编译包含在files中列出的文件,如果不指定,则取决于有没有设置include选项,如果没有include选项,则默认会编译根目录以及所有子目录中的文件。这里列出的路径必须是指定文件,而不是某个文件夹,而且不能使用* ? **/ 等通配符 "include": [], // include也可以指定要编译的路径列表,但是和files的区别在于,这里的路径可以是文件夹,也可以是文件,可以使用相对和绝对路径,而且可以使用通配符,比如"./src"即表示要编译src文件夹下的所有文件以及子文件夹的文件 "exclude": [], // exclude表示要排除的、不编译的文件,它也可以指定一个列表,规则和include一样,可以是文件或文件夹,可以是相对路径或绝对路径,可以使用通配符 "extends": "", // extends可以通过指定一个其他的tsconfig.json文件路径,来继承这个配置文件里的配置,继承来的文件的配置会覆盖当前文件定义的配置。TS在3.2版本开始,支持继承一个来自Node.js包的tsconfig.json配置文件 "compileOnSave": true, // compileOnSave的值是true或false,如果设为true,在我们编辑了项目中的文件保存的时候,编辑器会根据tsconfig.json中的配置重新生成文件,不过这个要编辑器支持 "references": [], // 一个对象数组,指定要引用的项目 }

每日一题#

Copy
https://github.com/WindrunnerMax/EveryDay

参考#

Copy
https://www.typescriptlang.org/play/ https://zhuanlan.zhihu.com/p/443995763 https://zhuanlan.zhihu.com/p/353156044 https://segmentfault.com/q/1010000040197076 https://www.cnblogs.com/terrymin/p/13897214.html https://www.cnblogs.com/wangleicode/p/10937707.html https://blog.csdn.net/qq_43869822/article/details/121664818 https://tslang.baiqian.ltd/release-notes/typescript-2.7.html https://www.typescriptlang.org/docs/handbook/utility-types.html https://levelup.gitconnected.com/intrinsic-types-in-typescript-8b9f814410d https://jkchao.github.io/typescript-book-chinese/tips/covarianceAndContravariance.html https://github.com/xcatliu/typescript-tutorial/blob/master/basics/declaration-files.md
posted @   WindRunnerMax  阅读(1099)  评论(0编辑  收藏  举报
编辑推荐:
· [杂谈]如何选择:Session 还是 JWT?
· 硬盘空间消失之谜:Linux 服务器存储排查与优化全过程
· JavaScript是按顺序执行的吗?聊聊JavaScript中的变量提升
· [杂谈]后台日志该怎么打印
· Pascal 架构 GPU 在 vllm下的模型推理优化
阅读排行:
· WinForm 通用权限框架,简单实用支持二次开发
· 如何为在线客服系统的 Web Api 后台主程序添加 Bootstrap 启动页面
· 硬盘空间消失之谜:Linux 服务器存储排查与优化全过程
· 面试官:DNS解析都整不明白,敢说你懂网络?我:嘤嘤嘤!
· Fleck:一个轻量级的C#开源WebSocket服务端库
历史上的今天:
2020-04-06 GRID布局
点击右上角即可分享
微信分享提示
CONTENTS