转自:https://shanyue.tech/post/ts-tips.html#_01-keyof

typescript 高级技巧

用了一段时间的 typescript 之后,深感中大型项目中 typescript 的必要性,它能够提前在编译期避免许多 bug,如很恶心的拼写问题。而越来越多的 package 也开始使用 ts,学习 ts 已是势在必行。

以下是我在工作中总结到的比较实用的 typescript 技巧。

01 keyof

keyofObject.keys 略有相似,只不过 keyofinterface 的键。

  1. interface Point {
  2. x: number;
  3. y: number;
  4. }
  5. // 相当于:
  6. // type keys = "x" | "y"
  7. type keys = keyof Point;

假设有一个 object 如下所示,我们需要使用 typescript 实现一个 get 函数来获取它的属性值

  1. const data = {
  2. a: 3,
  3. hello: 'world'
  4. }
  5. function get(o: object, name: string) {
  6. return o[name]
  7. }

我们刚开始可能会这么写,不过它有很多缺点

  1. 无法确认返回类型:这将损失 ts 最大的类型校验功能
  2. 无法对 key 做约束:可能会犯拼写错误的问题

这时可以使用 keyof 来加强 get 函数的类型功能,有兴趣的同学可以看看 _.get 的 type 标记以及实现

  1. function get<T extends object, K extends keyof T>(o: T, name: K): T[K] {
  2. return o[name]
  3. }

对于 keyof,另一个好用的小技巧是 keyof any,请看以下示例

  1. // 以下两者等效,但适用 keyof 更加简短
  2. type PropertyName = keyof any;
  3. type PropertyName = string | number | symbol;

02 Required & Partial & Pick

既然了解了 keyof,可以使用它对属性做一些扩展, 如实现 PartialPickPick 一般用在 _.pick

  1. type Partial<T> = {
  2. [P in keyof T]?: T[P];
  3. };
  4. type Required<T> = {
  5. [P in keyof T]-?: T[P];
  6. };
  7. type Pick<T, K extends keyof T> = {
  8. [P in K]: T[P];
  9. };
  10. interface User {
  11. id: number;
  12. age: number;
  13. name: string;
  14. };
  15. // 相当于: type PartialUser = { id?: number; age?: number; name?: string; }
  16. type PartialUser = Partial<User>
  17. // 相当于: type PickUser = { id: number; age: number; }
  18. type PickUser = Pick<User, 'id' | 'age'>

PickRequiredPartial 这几个类型已内置在 Typescript 中原生实现

03 Condition Type

类似于 js 中的 ?: 运算符,可以使用它扩展一些基本类型

  1. type isTrue<T> = T extends true ? true : false
  2. // 相当于 type t = false
  3. type t = isTrue<number>
  4. // 相当于 type t = false
  5. type t = isTrue<false>

04 never & Exclude & Extract & Omit

官方文档对 never 的描述如下

the never type represents the type of values that never occur.
结合 neverconditional type 可以推出很多有意思而且实用的类型,比如 ExcludeExtract

  1. type Exclude<T, U> = T extends U ? never : T;
  2. // 相当于: type A = 'a'
  3. type A = Exclude<'x' | 'a', 'x'>
  4. type A = Exclude<'x' | 'a', 'x' | 'y' | 'z'>
  5. // 与 Exclude 实现刚好相反,Exclude 取差集,而 Extract 取交集
  6. type Extract<T, U> = T extends U ? T : never;
  7. // 相当于: type A = 'x'
  8. type A = Exclude<'x' | 'a', 'x'>

结合 Exclude 推出 Omit 的写法

  1. type Omit<T, K extends keyof any> = Pick<T, Exclude<keyof T, K>>;
  2. interface User {
  3. id: number;
  4. age: number;
  5. name: string;
  6. };
  7. // 相当于: type PickUser = { age: number; name: string; }
  8. type OmitUser = Omit<User, "id">

ExcludeExtractOmit 这几个类型已内置在 Typescript 中原生实现

05 typeof

顾名思义,typeof 代表取某个值的 type,可以从以下示例来展示他们的用法

  1. const a: number = 3
  2. // 相当于: const b: number = 4
  3. const b: typeof a = 4

在一个典型的服务端项目中,我们经常需要把一些工具塞到 context 中,如config,logger,db models, utils 等,此时就使用到 typeof

  1. import logger from './logger'
  2. import utils from './utils'
  3. interface Context extends KoaContect {
  4. logger: typeof logger,
  5. utils: typeof utils
  6. }
  7. app.use((ctx: Context) => {
  8. ctx.logger.info('hello, world')
  9. // 会报错,因为 logger.ts 中没有暴露此方法,可以最大限度的避免拼写错误
  10. ctx.loger.info('hello, world')
  11. })

06 is

在此之前,先看一个 koa 的错误处理流程,以下是对 error 进行集中处理,并且标识 code 的过程

  1. app.use(async (ctx, next) => {
  2. try {
  3. await next();
  4. } catch (err) {
  5. let code = 'BAD_REQUEST'
  6. if (err.isAxiosError) {
  7. code = `Axios-${err.code}`
  8. } else if (err instanceof Sequelize.BaseError) {
  9. }
  10. ctx.body = {
  11. code
  12. }
  13. }
  14. })

err.code 处,会编译出错,提示 Property 'code' does not exist on type 'Error'.ts(2339)

此时可以使用 as AxiosError 或者 as any 来避免报错,不过强制类型转换也不够友好

  1. if ((err as AxiosError).isAxiosError) {
  2. code = `Axios-${(err as AxiosError).code}`
  3. }

此时可以使用 is 来判定值的类型

  1. function isAxiosError (error: any): error is AxiosError {
  2. return error.isAxiosError
  3. }
  4. if (isAxiosError(err)) {
  5. code = `Axios-${err.code}`
  6. }

GraphQL 的源码中,有很多诸如此类的用法,用以标识类型

  1. export function isType(type: any): type is GraphQLType;
  2. export function isScalarType(type: any): type is GraphQLScalarType;
  3. export function isObjectType(type: any): type is GraphQLObjectType;
  4. export function isInterfaceType(type: any): type is GraphQLInterfaceType;

07 interface & type

interfacetype 的区别是什么?可以参考以下 stackoverflow 的问题

https://stackoverflow.com/questions/37233735/typescript-interfaces-vs-types

一般来说,interfacetype 区别很小,比如以下两种写法差不多

  1. interface A {
  2. a: number;
  3. b: number;
  4. };
  5. type B = {
  6. a: number;
  7. b: number;
  8. }

其中 interface 可以如下合并多个,而 type 只能使用 & 类进行连接。

  1. interface A {
  2. a: number;
  3. }
  4. interface A {
  5. b: number;
  6. }
  7. const a: A = {
  8. a: 3,
  9. b: 4
  10. }

08 Record & Dictionary & Many

这几个语法糖是从 lodash 的类型源码中学到的,平时工作中的使用频率还挺高。

  1. type Record<K extends keyof any, T> = {
  2. [P in K]: T;
  3. };
  4. interface Dictionary<T> {
  5. [index: string]: T;
  6. };
  7. interface NumericDictionary<T> {
  8. [index: number]: T;
  9. };
  10. const data:Dictionary<number> = {
  11. a: 3,
  12. b: 4
  13. }

实际上可用 Record 代替 DictionaryNumericDictionary

  1. // 以下二者等价:
  2. type A = Record<string, any>
  3. type B = Dictionary<any>

Record 已内置在 Typescript 中原生实现,在平时中仅使用 Record 即可

09 infer & Return Type & Parameters Type

通过 infer,可类型推导出函数参数及返回值类型。
这里有一个有关协变与逆变的概念,看不懂可跳过。
函数的返回值类型是协变的,而参数类型是逆变的。,见 逆变与协变

  1. function id(x: number): number {
  2. return x
  3. }
  4. type ReturnType<T extends (...args: any) => any> = T extends (...args: any) => infer R ? R : any
  5. type Parameters<T extends (...args: any) => any> = T extends (...args: infer P) => any ? P : never

ReturnType 与 Parameters 已内置在 Typescript 中原生实现

10 使用 const enum 维护常量表

相比使用字面量对象维护常量,const enum 可以提供更安全的类型检查

  1. // 使用 object 维护常量
  2. const TODO_STATUS {
  3. TODO: 'TODO',
  4. DONE: 'DONE',
  5. DOING: 'DOING'
  6. }
  1. // 使用 const enum 维护常量
  2. const enum TODO_STATUS {
  3. TODO = 'TODO',
  4. DONE = 'DONE',
  5. DOING = 'DOING'
  6. }
  7. function todos (status: TODO_STATUS): Todo[];
  8. todos(TODO_STATUS.TODO)

11 VS Code Tips & Typescript Command

使用 VS Code 有时会出现,使用 tsc 编译时产生的问题与 vs code 提示的问题不一致

找到项目右下角的 Typescript 字样,右侧显示它的版本号,可以点击选择 Use Workspace Version,它表示与项目依赖的 typescript 版本一直。

或者编辑 .vs-code/settings.json

  1. {
  2. "typescript.tsdk": "node_modules/typescript/lib"
  3. }

12 Typescript Roadmap

最后一条也是最重要的一条,翻阅 Roadmap,了解 ts 的一些新的特性与 bug 修复情况。

Typescript Roadmap



技术      知识

本博客所有文章除特别声明外,均采用 CC BY-SA 3.0协议 。转载请注明出处!