一、Enum 类型 使用枚举我们可以定义一些带名字的常量。 使用枚举可以清晰地表达意图或创建一组有区别的用例。 TypeScript 支持数字的和基于字符串的枚举。
1.数字枚举 1 2 3 4 5 6 7 8 enum Direction { NORTH, SOUTH, EAST, WEST, } let dir: Direction = Direction.NORTH;
默认情况下,NORTH 的初始值为 0,其余的成员会从 1 开始自动增长。换句话说,Direction.SOUTH 的值为 1,Direction.EAST 的值为 2,Direction.WEST 的值为 3。上面的枚举示例代码经过编译后会生成以下代码:
1 2 3 4 5 6 7 8 9 "use strict"; var Direction; (function (Direction) { Direction[(Direction["NORTH"] = 0)] = "NORTH"; Direction[(Direction["SOUTH"] = 1)] = "SOUTH"; Direction[(Direction["EAST"] = 2)] = "EAST"; Direction[(Direction["WEST"] = 3)] = "WEST"; })(Direction || (Direction = {})); var dir = Direction.NORTH;
当然我们也可以设置 NORTH 的初始值,比如:
1 2 3 4 5 6 enum Direction { NORTH = 3, SOUTH, EAST, WEST, }
2.字符串枚举 在 TypeScript 2.4 版本,允许我们使用字符串枚举。在一个字符串枚举里,每个成员都必须用字符串字面量,或另外一个字符串枚举成员进行初始化。
1 2 3 4 5 6 enum Direction { NORTH = "NORTH", SOUTH = "SOUTH", EAST = "EAST", WEST = "WEST", }
以上代码对于的 ES5 代码如下:
1 2 3 4 5 6 7 8 "use strict"; var Direction; (function (Direction) { Direction["NORTH"] = "NORTH"; Direction["SOUTH"] = "SOUTH"; Direction["EAST"] = "EAST"; Direction["WEST"] = "WEST"; })(Direction || (Direction = {}));
3.异构枚举 异构枚举的成员值是数字和字符串的混合:
1 2 3 4 5 6 7 8 enum Enum { A, B, C = "C", D = "D", E = 8, F, }
以上代码对于的 ES5 代码如下:
1 2 3 4 5 6 7 8 9 10 "use strict"; var Enum; (function (Enum) { Enum[Enum["A"] = 0] = "A"; Enum[Enum["B"] = 1] = "B"; Enum["C"] = "C"; Enum["D"] = "D"; Enum[Enum["E"] = 8] = "E"; Enum[Enum["F"] = 9] = "F"; })(Enum || (Enum = {}));
通过观察上述生成的 ES5 代码,我们可以发现数字枚举相对字符串枚举多了 “反向映射”:
1 2 console.log(Enum.A) //输出:0 console.log(Enum[0]) // 输出:A
二、特殊数据类型 1. Unknown 类型 就像所有类型都可以赋值给 any,所有类型也都可以赋值给 unknown。这使得 unknown 成为 TypeScript 类型系统的另一种顶级类型(另一种是 any)。下面我们来看一下 unknown 类型的使用示例:
1 2 3 4 5 6 7 8 9 10 11 12 let value: unknown; value = true; // OK value = 42; // OK value = "Hello World"; // OK value = []; // OK value = {}; // OK value = Math.random; // OK value = null; // OK value = undefined; // OK value = new TypeError(); // OK value = Symbol("type"); // OK
对 value
变量的所有赋值都被认为是类型正确的。但是,当我们尝试将类型为 unknown
的值赋值给其他类型的变量时会发生什么?
1 2 3 4 5 6 7 8 9 10 let value: unknown; let value1: unknown = value; // OK let value2: any = value; // OK let value3: boolean = value; // Error let value4: number = value; // Error let value5: string = value; // Error let value6: object = value; // Error let value7: any[] = value; // Error let value8: Function = value; // Error
unknown
类型只能被赋值给 any
类型和 unknown
类型本身。直观地说,这是有道理的:只有能够保存任意类型值的容器才能保存 unknown
类型的值。毕竟我们不知道变量 value
中存储了什么类型的值。
现在让我们看看当我们尝试对类型为 unknown 的值执行操作时会发生什么。以下是我们在之前 any 章节看过的相同操作:
1 2 3 4 5 6 7 let value: unknown; value.foo.bar; // Error value.trim(); // Error value(); // Error new value(); // Error value[0][1]; // Error
将 value
变量类型设置为 unknown
后,这些操作都不再被认为是类型正确的。通过将 any
类型改变为 unknown
类型,我们已将允许所有更改的默认设置,更改为禁止任何更改。
2. Never 类型 never
类型表示的是那些永不存在的值的类型。 例如,never
类型是那些总是会抛出异常或根本就不会有返回值的函数表达式或箭头函数表达式的返回值类型。
1 2 3 4 5 6 7 8 // 返回never的函数必须存在无法达到的终点 function error(message: string): never { throw new Error(message); } function infiniteLoop(): never { while (true) {} }
在 TypeScript 中,可以利用 never 类型的特性来实现全面性检查,具体示例如下:
1 2 3 4 5 6 7 8 9 10 11 12 type Foo = string | number; function controlFlowAnalysisWithNever(foo: Foo) { if (typeof foo === "string") { // 这里 foo 被收窄为 string 类型 } else if (typeof foo === "number") { // 这里 foo 被收窄为 number 类型 } else { // foo 在这里是 never const check: never = foo; } }
注意在 else 分支里面,我们把收窄为 never 的 foo 赋值给一个显示声明的 never 变量。如果一切逻辑正确,那么这里应该能够编译通过。但是假如后来有一天你的同事修改了 Foo 的类型:
1 type Foo = string | number | boolean;
然而他忘记同时修改 controlFlowAnalysisWithNever
方法中的控制流程,这时候 else 分支的 foo 类型会被收窄为 boolean
类型,导致无法赋值给 never 类型,这时就会产生一个编译错误。通过这个方式,我们可以确保
controlFlowAnalysisWithNever
方法总是穷尽了 Foo 的所有可能类型。 通过这个示例,我们可以得出一个结论:使用 never 避免出现新增了联合类型没有对应的实现,目的就是写出类型绝对安全的代码。
三、Typescript 的类型系统 充分使用编辑器的 language service 功能(类型提示,类型检查,类型推倒,自动补全,类型定义跳转)
把类型当做值的集合思考
1 2 3 4 5 6 7 8 9 type A= 'A' // 单值集合 { 'A' } type B= 'B' // 单值集合 { 'B' } type AB = 'A' | 'B' // 集合的并集 { 'A', 'B' } type twoInt = 2 | 4 | 5 ... // 无限元素集合 { 1,2,3,4} type threeInt = 3 | 6 | 9 // 无限集合 type twoIntersectThreeInt = twoInt & threeInt // 无限集合的交集 type twoUnionThreeInt = 2| 3 | 4 | 6 ... // 无限集合的并集 keyof (A&B) = (keyof A) | (keyof B) keyof (A|B) = (keyof A) & (keyof B)
术语和集合术语对照表
1 2 3 4 5 6 7 8 9 Typescript术语 集合术语 never 空集 literal type 单值集合 value 可赋值给 T value ∈T T1 assignable to T2 T1是T2的子集 T1 extends T2 T1是T2的子集 T1 T2 T1 & T2 T1 和T2的交集 unknown universal set
四、了解 type 和 interface 的区别 绝大部分情况下,type 和 interface 都能等价转换
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 // 普通对象 type TState = { name: string; capital: string; } interface IState { name: string; capital: string; } // index signature type TDict = {[key:string]: string } interface IDict { [key:string]: string } type TFn = (x:number) => string; interface IFn { (x:number):string; } // function with props type TFnWithProps = { (x:number):number; prop: string; } interface IFnWithProps { (x:number):number; prop: string; } // constructor type TConstructor = new(x:number) => {x:number} interface IConstructor{ new(x:number): {x:number} } // generic type TPair<T>= { first: T; second: T; } interface IPair<T> { first: T; second: T; } // extends type TStateWithProps = TState & { population : number} interface IStateWithProp extends IState { population: number; } // implements class StateT implements TState { name = ''; capital = ''; } class StateI implements IState { name=''; capital = '' }
type 和 interface 亦有所区别
interface 无法应用于 union type | intersection type | conditional type | tuple
1 2 3 type AorB = 'A' | 'B' type NamedVariable = (Input | Output) & { name: string} type Pair = [number,number]
interface 可以 argumented,而 type 不可以
1 2 3 4 5 6 7 8 9 10 11 12 13 14 // inner interface IState { name :string; capital: string; } // outer interface IState { population: number } const wyoming: IState = { name: 'Wyoming', capital: 'Cheyenne', population: 500_000 }
五、keyof 操作符 keyof 简介 TypeScript 允许我们遍历某种类型的属性,并通过 keyof 操作符提取其属性的名称。keyof 操作符是在 TypeScript 2.1 版本引入的,该操作符可以用于获取某种类型的所有键,其返回类型是联合类型。
下面我们来看个例子:
1 2 3 4 5 6 7 8 9 interface Person { name: string; age: number; location: string; } type K1 = keyof Person; // "name" | "age" | "location" type K2 = keyof Person[]; // number | "length" | "push" | "concat" | ... type K3 = keyof { [x: string]: Person }; // string | number
除了接口外,keyof 也可以用于操作类,比如:
1 2 3 4 5 6 class Person { name: string = "Semlinker"; } let sname: keyof Person; sname = "name";
若把 sname = "name"
改为 sname = "age"
的话,TypeScript 编译器会提示以下错误信息:
1 Type '"age"' is not assignable to type '"name"'.
keyof 操作符除了支持接口和类之外,它也支持基本数据类型:
1 2 3 let K1: keyof boolean; // let K1: "valueOf" let K2: keyof number; // let K2: "toString" | "toFixed" | "toExponential" | ... let K3: keyof symbol; // let K3: "valueOf"
此外 keyof 也称为输入索引类型查询,与之相对应的是索引访问类型,也称为查找类型。在语法上,它们看起来像属性或元素访问,但最终会被转换为类型:
1 2 3 4 5 type P1 = Person["name"]; // string type P2 = Person["name" | "age"]; // string | number type P3 = string["charAt"]; // (pos: number) => string type P4 = string[]["push"]; // (...items: string[]) => number type P5 = string[][0]; // string
keyof 的作用 JavaScript 是一种高度动态的语言。有时在静态类型系统中捕获某些操作的语义可能会很棘手。以一个简单的 prop 函数为例:
1 2 3 function prop(obj, key) { return obj[key]; }
该函数接收 obj 和 key 两个参数,并返回对应属性的值。对象上的不同属性,可以具有完全不同的类型,我们甚至不知道 obj 对象长什么样。
那么在 TypeScript 中如何定义上面的 prop 函数呢?我们来尝试一下:
1 2 3 function prop(obj: object, key: string) { return obj[key]; }
在上面代码中,为了避免调用 prop 函数时传入错误的参数类型,我们为 obj 和 key 参数设置了类型,分别为 {} 和 string 类型。然而,事情并没有那么简单。针对上述的代码,TypeScript 编译器会输出以下错误信息:
1 Element implicitly has an 'any' type because expression of type 'string' can't be used to index type '{}'.
元素隐式地拥有 any 类型,因为 string 类型不能被用于索引 {} 类型。要解决这个问题,你可以使用以下非常暴力的方案:
1 2 3 function prop(obj: object, key: string) { return (obj as any)[key]; }
很明显该方案并不是一个好的方案,我们来回顾一下 prop 函数的作用,该函数用于获取某个对象中指定属性的属性值。因此我们期望用户输入的属性是对象上已存在的属性,那么如何限制属性名的范围呢?这时我们可以利用本文的主角 keyof 操作符:
1 2 3 function prop<T extends object, K extends keyof T>(obj: T, key: K) { return obj[key]; }
在以上代码中,我们使用了 TypeScript 的泛型和泛型约束。首先定义了 T 类型并使用 extends 关键字约束该类型必须是 object 类型的子类型,然后使用 keyof 操作符获取 T 类型的所有键,其返回类型是联合类型,最后利用 extends 关键字约束 K 类型必须为 keyof T 联合类型的子类型。 是骡子是马拉出来遛遛就知道了,我们来实际测试一下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 type Todo = { id: number; text: string; done: boolean; } const todo: Todo = { id: 1, text: "Learn TypeScript keyof", done: false } function prop<T extends object, K extends keyof T>(obj: T, key: K) { return obj[key]; } const id = prop(todo, "id"); // const id: number const text = prop(todo, "text"); // const text: string const done = prop(todo, "done"); // const done: boolean
很明显使用泛型,重新定义后的 prop<T extends object, K extends keyof T>(obj: T, key: K) 函数,已经可以正确地推导出指定键对应的类型。那么当访问 todo 对象上不存在的属性时,会出现什么情况?比如:
1 const date = prop(todo, "date");
对于上述代码,TypeScript 编译器会提示以下错误:
1 Argument of type '"date"' is not assignable to parameter of type '"id" | "text" | "done"'.
这就阻止我们尝试读取不存在的属性。
keyof 与对象的数值属性 在使用对象的数值属性时,我们也可以使用 keyof 关键字。请记住,如果我们定义一个带有数值属性的对象,那么我们既需要定义该属性,又需要使用数组语法访问该属性, 如下所示:
1 2 3 4 5 6 class ClassWithNumericProperty { [1]: string = "Semlinker"; } let classWithNumeric = new ClassWithNumericProperty(); console.log(`${classWithNumeric[1]} `);
下面我们来举个示例,介绍一下在含有数值属性的对象中,如何使用 keyof 操作符来安全地访问对象的属性:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 enum Currency { CNY = 6, EUR = 8, USD = 10 } const CurrencyName = { [Currency.CNY]: "人民币", [Currency.EUR]: "欧元", [Currency.USD]: "美元" }; console.log(`CurrencyName[Currency.CNY] = ${CurrencyName[Currency.CNY]}`); console.log(`CurrencyName[36] = ${CurrencyName[6]}`);
上面的代码中,首先定义了一个 Currency 枚举用于表示三种货币类型,接着定义一个 CurrencyName 对象,该对象使用数值属性作为键,对应的值是该货币类型的名称。该代码成功运行后,控制台会输出以下结果:
1 2 CurrencyName[Currency.CNY] = 人民币 CurrencyName[36] = 人民币
为了方便用户能根据货币类型来获取对应的货币名称,我们来定义一个 getCurrencyName 函数,具体实现如下:
1 2 3 4 5 function getCurrencyName<T, K extends keyof T>(key: K, map: T): T[K] { return map[key]; } console.log(`name = ${getCurrencyName(Currency.CNY, CurrencyName)}`);
同样,getCurrencyName 函数和前面介绍的 prop 函数一样,使用了泛型和泛型约束,从而来保证属性的安全访问。最后,我们来简单介绍一下 keyof 与 typeof 操作符如何配合使用。
keyof 与 typeof 操作符 typeof 操作符用于获取变量的类型。因此这个操作符的后面接的始终是一个变量,且需要运用到类型定义当中。为了方便大家理解,我们来举一个具体的示例:
1 2 3 4 5 6 7 8 9 10 11 type Person = { name: string; age: number; } let man: Person = { name: "Semlinker", age: 30 } type Human = typeof man;
了解完 typeof 和 keyof 操作符的作用,我们来举个例子,介绍一下它们如何结合在一起使用:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 const COLORS = { red: 'red', blue: 'blue' } // 首先通过typeof操作符获取color变量的类型,然后通过keyof操作符获取该类型的所有键, // 即字符串字面量联合类型 'red' | 'blue' type Colors = keyof typeof COLORS let color: Colors; color = 'red' // Ok color = 'blue' // Ok // Type '"yellow"' is not assignable to type '"red" | "blue"'. color = 'yellow' // Error
六、TypeScript 泛型 软件工程中,我们不仅要创建一致的定义良好的 API,同时也要考虑可重用性。 组件不仅能够支持当前的数据类型,同时也能支持未来的数据类型,这在创建大型系统时为你提供了十分灵活的功能。
在像 C#
和 Java
这样的语言中,可以使用泛型来创建可重用的组件,一个组件可以支持多种类型的数据。 这样用户就可以以自己的数据类型来使用组件。
设计泛型的关键目的是在成员之间提供有意义的约束,这些成员可以是:类的实例成员、类的方法、函数参数和函数返回值。
泛型(Generics)是允许同一个函数接受不同类型参数的一种模板。相比于使用 any 类型,使用泛型来创建可复用的组件要更好,因为泛型会保留参数类型。
泛型接口 1 2 3 interface GenericIdentityFn<T> { (arg: T): T; }
泛型类 1 2 3 4 5 6 7 8 9 10 class GenericNumber<T> { zeroValue: T; add: (x: T, y: T) => T; } let myGenericNumber = new GenericNumber<number>(); myGenericNumber.zeroValue = 0; myGenericNumber.add = function (x, y) { return x + y; };
泛型变量 对刚接触 TypeScript 泛型的小伙伴来说,看到 T 和 E,还有 K 和 V 这些泛型变量时,估计会一脸懵逼。其实这些大写字母并没有什么本质的区别,只不过是一个约定好的规范而已。也就是说使用大写字母 A-Z 定义的类型变量都属于泛型,把 T 换成 A,也是一样的。下面我们介绍一下一些常见泛型变量代表的意思:
T(Type):表示一个 TypeScript 类型
K(Key):表示对象中的键类型
V(Value):表示对象中的值类型
E(Element):表示元素类型
泛型工具类型 为了方便开发者 TypeScript 内置了一些常用的工具类型,比如 Partial、Required、Readonly、Record 和 ReturnType 等。出于篇幅考虑,这里我们只简单介绍 Partial 工具类型。不过在具体介绍之前,我们得先介绍一些相关的基础知识,方便读者自行学习其它的工具类型。
1.typeof 在 TypeScript 中,typeof 操作符可以用来获取一个变量声明或对象的类型。
1 2 3 4 5 6 7 8 9 10 11 12 13 interface Person { name: string; age: number; } const sem: Person = { name: 'semlinker', age: 30 }; type Sem= typeof sem; // -> Person function toArray(x: number): Array<number> { return [x]; } type Func = typeof toArray; // -> (x: number) => number[]
2.keyof keyof 操作符可以用来获取一个对象中的所有 key 值:
1 2 3 4 5 6 7 8 interface Person { name: string; age: number; } type K1 = keyof Person; // "name" | "age" type K2 = keyof Person[]; // "length" | "toString" | "pop" | "push" | "concat" | "join" type K3 = keyof { [x: string]: Person }; // string | number
3.in in 用来遍历枚举类型:
1 2 3 4 5 type Keys = "a" | "b" | "c" type Obj = { [p in Keys]: any } // -> { a: any, b: any, c: any }
4.infer 在条件类型语句中,可以用 infer 声明一个类型变量并且对它进行使用。
1 2 3 type ReturnType<T> = T extends ( ...args: any[] ) => infer R ? R : any;
以上代码中 infer R 就是声明一个变量来承载传入函数签名的返回值类型,简单说就是用它取到函数返回值的类型方便之后使用。
5.extends 有时候我们定义的泛型不想过于灵活或者说想继承某些类等,可以通过 extends 关键字添加泛型约束。
1 2 3 4 5 6 7 8 interface ILengthwise { length: number; } function loggingIdentity<T extends ILengthwise>(arg: T): T { console.log(arg.length); return arg; }
现在这个泛型函数被定义了约束,因此它不再是适用于任意类型:
1 loggingIdentity(3); // Error, number doesn't have a .length property
这时我们需要传入符合约束类型的值,必须包含必须的属性:
1 loggingIdentity({length: 10, value: 3});
6.Partial
Partial 的作用就是将某个类型里的属性全部变为可选项 ?。
定义:
1 2 3 4 5 6 7 /** * node_modules/typescript/lib/lib.es5.d.ts * Make all properties in T optional */ type Partial<T> = { [P in keyof T]?: T[P]; };
在以上代码中,首先通过 keyof T 拿到 T 的所有属性名,然后使用 in 进行遍历,将值赋给 P,最后通过 T[P] 取得相应的属性值。中间的 ? 号,用于将所有属性变为可选。
示例:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 interface Todo { title: string; description: string; } function updateTodo(todo: Todo, fieldsToUpdate: Partial<Todo>) { return { ...todo, ...fieldsToUpdate }; } const todo1 = { title: "organize desk", description: "clear clutter", }; const todo2 = updateTodo(todo1, { description: "throw out trash", });
在上面的 updateTodo 方法中,我们利用 Partial 工具类型,定义 fieldsToUpdate 的类型为 Partial,即:
1 2 3 4 { title?: string | undefined; description?: string | undefined; }
七、充分利用泛型和类型运算避免冗余类型标记 使用泛型提取公共的 util type,简化类型编写
1 2 3 4 5 6 7 8 9 interface ButtonProps { type: string; size: 'large' | 'middle'| 'small' } interface ButtonPropsWithChildren{ type: string; size: 'large' | 'middle'| 'small', children: React.ReactNode }
使用 PropsWithChildren 简化
1 2 import { PropsWithChildren } from 'react'; type ButtonPropsWithChildren = PropsWithChildren<ButtonProps>
使用 index type | mapped type | keyof 等进行类型传递
1 2 3 4 5 6 7 8 9 10 11 interface State { userId: string; pageTitle: string; recentFiles: string[] pageContents: string; } interface TopNavState { userId: string; pageTitle: string; recentFiles: string[] }
上述代码可通过 lookup type 简化
1 2 3 4 5 interface TopNavState = { userId: State['userId']; pageTitle: State['pageTitle'] recentFiles: State['recentFiles'] }
使用 mapped type 可进一步简化
1 2 3 type TopNavState = { [k in 'userId' | 'pageTitle' | 'recentFiles'] : State[k] }
再使用工具类进一步简化
1 type TopNavState = Pick<State, 'userId', 'pageTitle', 'rencentFiles'>
我们也可以利用 typeof 来进行类型传递
1 2 3 4 5 6 7 8 9 10 11 function getUserInfo(userId:string){ return { userId, name, age, height, weight, favoriteColor } } type UserInfo = ReturnType<typeof getUserInfo>
编写 utility type 时,多多使用 generic constraint 保证实例化时的类型安全
1 2 3 4 5 6 7 8 9 10 11 12 13 interface Name { first: string; last: string } type Pick1<T, K>{ [k in K]: T[k] } type FirstLast = Pick1<Name, 'first'| 'last'> type FirstMiddle = Pick1<Name, 'first', 'middle'> // 应该报错但没报错 type Pick2<T, K extends keyof T> = { // 添加泛型约束 [k in K]: T[K] } type FirstMiddle = Pick2<Name, 'first', 'middle'> // 正确的报错了
八、用 TypeScript 编写 React 的最佳实践 组件 React 的核心概念之一是组件。在这里,我们将引用 React v16.8 以后的标准组件,这意味着使用 Hook 而不是类的组件。
通常,一个基本的组件有很多需要关注的地方。让我们看一个例子:
1 2 3 4 5 6 7 8 9 import React from 'react' // 函数声明式写法 function Heading(): React.ReactNode { return <h1>My Website Heading</h1> } // 函数扩展式写法 const OtherHeading: React.FC = () => <h1>My Website Heading</h1>
注意这里的关键区别。在第一个例子中,我们使用函数声明式写法,我们注明了这个函数返回值是 React.ReactNode
类型。相反,第二个例子使用了一个函数表达式。因为第二个实例返回一个函数,而不是一个值或表达式,所以我们我们注明了这个函数返回值是 React.FC
类型。
记住这两种方式可能会让人混淆。这主要取决于设计选择。无论您选择在项目中使用哪个,都要始终如一地使用它。
Props 我们将介绍的下一个核心概念是 Props。你可以使用 interface 或 type 来定义 Props 。让我们看另一个例子:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 import React from 'react' interface Props { name: string; color: string; } type OtherProps = { name: string; color: string; } // Notice here we're using the function declaration with the interface Props function Heading({ name, color }: Props): React.ReactNode { return <h1>My Website Heading</h1> } // Notice here we're using the function expression with the type OtherProps const OtherHeading: React.FC<OtherProps> = ({ name, color }) => <h1>My Website Heading</h1>
关于 interface 或 type ,我们建议遵循 react-typescript-cheatsheet 社区提出的准则:
在编写库或第三方环境类型定义时,始终将 interface 用于公共 API 的定义。
考虑为你的 React 组件的 State 和 Props 使用 type ,因为它更受约束。”
让我们再看一个示例:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 import React from 'react' type Props = { /** color to use for the background */ color?: string; /** standard children prop: accepts any valid React Node */ children: React.ReactNode; /** callback function passed to the onClick handler*/ onClick: () => void; } const Button: React.FC<Props> = ({ children, color = 'tomato', onClick }) => { return <button style={{ backgroundColor: color }} onClick={onClick}>{children}</button> }
在此 <Button />
组件中,我们为 Props 使用 type。每个 Props 上方都有简短的说明,以为其他开发人员提供更多背景信息。? 表示 Props 是可选的。children props
是一个 React.ReactNode
表示它还是一个 React 组件。
通常,在 React 和 TypeScript 项目中编写 Props 时,请记住以下几点:
始终使用 TSDoc 标记为你的 Props 添加描述性注释 /** comment */
。
无论你为组件 Props 使用 type 还是 interface ,都应始终使用它们。
如果 props 是可选的,请适当处理或使用默认值。
Hooks 幸运的是,当使用 Hook 时, TypeScript 类型推断工作得很好。这意味着你没有什么好担心的。举个例子:
1 2 3 // `value` is inferred as a string // `setValue` is inferred as (newValue: string) => void const [value, setValue] = useState('')
TypeScript 推断出 useState 钩子给出的值。这是一个 React 和 TypeScript 协同工作的成果。
在极少数情况下,你需要使用一个空值初始化 Hook ,可以使用泛型并传递联合以正确键入 Hook 。查看此实例:
1 2 3 4 5 6 7 8 9 type User = { email: string; id: string; } // the generic is the < > // the union is the User | null // together, TypeScript knows, "Ah, user can be User or null". const [user, setUser] = useState<User | null>(null);
下面是一个使用 useReducer 的例子:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 type AppState = {}; type Action = | { type: "SET_ONE"; payload: string } | { type: "SET_TWO"; payload: number }; export function reducer(state: AppState, action: Action): AppState { switch (action.type) { case "SET_ONE": return { ...state, one: action.payload // `payload` is string }; case "SET_TWO": return { ...state, two: action.payload // `payload` is number }; default: return state; } }
可见,Hooks 并没有为 React 和 TypeScript 项目增加太多复杂性。
常见用例 处理表单事件 最常见的情况之一是 onChange 在表单的输入字段上正确键入使用的。这是一个例子:
1 2 3 4 5 6 7 8 9 10 11 12 13 import React from 'react' const MyInput = () => { const [value, setValue] = React.useState('') // 事件类型是“ChangeEvent” // 我们将 “HTMLInputElement” 传递给 input function onChange(e: React.ChangeEvent<HTMLInputElement>) { setValue(e.target.value) } return <input value={value} onChange={onChange} id="input-example"/> }
扩展组件的 Props 有时,你希望获取为一个组件声明的 Props,并对它们进行扩展,以便在另一个组件上使用它们。但是你可能想要修改一两个属性。还记得我们如何看待两种类型组件 Props、type 或 interface 的方法吗?取决于你使用的组件决定了你如何扩展组件 Props 。让我们先看看如何使用 type:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 import React from 'react'; type ButtonProps = { /** the background color of the button */ color: string; /** the text to show inside the button */ text: string; } type ContainerProps = ButtonProps & { /** the height of the container (value used with 'px') */ height: number; } const Container: React.FC<ContainerProps> = ({ color, height, width, text }) => { return <div style={{ backgroundColor: color, height: `${height}px` }}>{text}</div> }
如果你使用 interface 来声明 props,那么我们可以使用关键字 extends 从本质上“扩展”该接口,但要进行一些修改:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 import React from 'react'; interface ButtonProps { /** the background color of the button */ color: string; /** the text to show inside the button */ text: string; } interface ContainerProps extends ButtonProps { /** the height of the container (value used with 'px') */ height: number; } const Container: React.FC<ContainerProps> = ({ color, height, width, text }) => { return <div style={{ backgroundColor: color, height: `${height}px` }}>{text}</div> }
两种方法都可以解决问题。由您决定使用哪个。就个人而言,扩展 interface 更具可读性,但最终取决于你和你的团队。
九、编译上下文 tsconfig.json 的作用
用于标识 TypeScript 项目的根路径;
用于配置 TypeScript 编译器;
用于指定编译的文件。
tsconfig.json 重要字段
files - 设置要编译的文件的名称;
include - 设置需要进行编译的文件,支持路径模式匹配;
exclude - 设置无需进行编译的文件,支持路径模式匹配;
compilerOptions - 设置与编译流程相关的选项。
compilerOptions 选项 compilerOptions 支持很多选项,常见的有 baseUrl、 target、baseUrl、 moduleResolution 和 lib 等。
compilerOptions 每个选项的详细说明如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 { "compilerOptions": { /* 基本选项 */ "target": "es5", // 指定 ECMAScript 目标版本: 'ES3' (default), 'ES5', 'ES6'/'ES2015', 'ES2016', 'ES2017', or 'ESNEXT' "module": "commonjs", // 指定使用模块: 'commonjs', 'amd', 'system', 'umd' or 'es2015' "lib": [], // 指定要包含在编译中的库文件 "allowJs": true, // 允许编译 javascript 文件 "checkJs": true, // 报告 javascript 文件中的错误 "jsx": "preserve", // 指定 jsx 代码的生成: 'preserve', 'react-native', or 'react' "declaration": true, // 生成相应的 '.d.ts' 文件 "sourceMap": true, // 生成相应的 '.map' 文件 "outFile": "./", // 将输出文件合并为一个文件 "outDir": "./", // 指定输出目录 "rootDir": "./", // 用来控制输出目录结构 --outDir. "removeComments": true, // 删除编译后的所有的注释 "noEmit": true, // 不生成输出文件 "importHelpers": true, // 从 tslib 导入辅助工具函数 "isolatedModules": true, // 将每个文件做为单独的模块 (与 'ts.transpileModule' 类似). /* 严格的类型检查选项 */ "strict": true, // 启用所有严格类型检查选项 "noImplicitAny": true, // 在表达式和声明上有隐含的 any类型时报错 "strictNullChecks": true, // 启用严格的 null 检查 "noImplicitThis": true, // 当 this 表达式值为 any 类型的时候,生成一个错误 "alwaysStrict": true, // 以严格模式检查每个模块,并在每个文件里加入 'use strict' /* 额外的检查 */ "noUnusedLocals": true, // 有未使用的变量时,抛出错误 "noUnusedParameters": true, // 有未使用的参数时,抛出错误 "noImplicitReturns": true, // 并不是所有函数里的代码都有返回值时,抛出错误 "noFallthroughCasesInSwitch": true, // 报告 switch 语句的 fallthrough 错误。(即,不允许 switch 的 case 语句贯穿) /* 模块解析选项 */ "moduleResolution": "node", // 选择模块解析策略: 'node' (Node.js) or 'classic' (TypeScript pre-1.6) "baseUrl": "./", // 用于解析非相对模块名称的基目录 "paths": {}, // 模块名到基于 baseUrl 的路径映射的列表 "rootDirs": [], // 根文件夹列表,其组合内容表示项目运行时的结构内容 "typeRoots": [], // 包含类型声明的文件列表 "types": [], // 需要包含的类型声明文件名列表 "allowSyntheticDefaultImports": true, // 允许从没有设置默认导出的模块中默认导入。 /* Source Map Options */ "sourceRoot": "./", // 指定调试器应该找到 TypeScript 文件而不是源文件的位置 "mapRoot": "./", // 指定调试器应该找到映射文件而不是生成文件的位置 "inlineSourceMap": true, // 生成单个 soucemaps 文件,而不是将 sourcemaps 生成不同的文件 "inlineSources": true, // 将代码与 sourcemaps 生成到一个文件中,要求同时设置了 --inlineSourceMap 或 --sourceMap 属性 /* 其他选项 */ "experimentalDecorators": true, // 启用装饰器 "emitDecoratorMetadata": true // 为装饰器提供元数据的支持 } }
tsconfig.json 配置文件:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 { "compilerOptions": { "target": "es5", // 指定 ECMAScript 版本 "lib": [ "dom", "dom.iterable", "esnext" ], // 要包含在编译中的依赖库文件列表 "allowJs": true, // 允许编译 JavaScript 文件 "skipLibCheck": true, // 跳过所有声明文件的类型检查 "esModuleInterop": true, // 禁用命名空间引用 (import * as fs from "fs") 启用 CJS/AMD/UMD 风格引用 (import fs from "fs") "allowSyntheticDefaultImports": true, // 允许从没有默认导出的模块进行默认导入 "strict": true, // 启用所有严格类型检查选项 "forceConsistentCasingInFileNames": true, // 不允许对同一个文件使用不一致格式的引用 "module": "esnext", // 指定模块代码生成 "moduleResolution": "node", // 使用 Node.js 风格解析模块 "resolveJsonModule": true, // 允许使用 .json 扩展名导入的模块 "noEmit": true, // 不输出(意思是不编译代码,只执行类型检查) "jsx": "react", // 在.tsx文件中支持JSX "sourceMap": true, // 生成相应的.map文件 "declaration": true, // 生成相应的.d.ts文件 "noUnusedLocals": true, // 报告未使用的本地变量的错误 "noUnusedParameters": true, // 报告未使用参数的错误 "experimentalDecorators": true, // 启用对ES装饰器的实验性支持 "incremental": true, // 通过从以前的编译中读取/写入信息到磁盘上的文件来启用增量编译 "noFallthroughCasesInSwitch": true }, "include": [ "src/**/*" // *** TypeScript文件应该进行类型检查 *** ], "exclude": ["node_modules", "build"] // *** 不进行类型检查的文件 *** }
十、参考资料