加载笔记内容...
加载笔记内容...
infer
的深层机制类型推断(Type Inference) 是 TypeScript 的核心能力之一,而 infer
关键字将其提升到元编程层面。其本质是通过模式匹配(Pattern Matching) 实现类型解构:
1type UnpackPromise<T> = T extends Promise<infer R> ? R : T
2type NumberResult = UnpackPromise<Promise<number>> // number
这种机制在复杂类型操作中展现出强大威力:
type FirstParam<T> = T extends (arg: infer P) => any ? P : never
type ExtractAction<T> = T extends
${infer Action}_EVENT ? Action : never
infer
会表现出逆变行为(contravariant)技术争议点:当多个 infer
出现在同一条件类型中时,编译器需要保证类型变量的唯一性。例如 T extends [infer A, infer A]
会导致编译错误,这种设计虽然保证类型安全,但限制了某些高级模式匹配场景。
keyof
与映射类型的组合技映射类型(Mapped Types) 配合 keyof
实现类型空间的迭代操作:
1type DeepPartial<T> = {
2 [P in keyof T]?: T[P] extends object ? DeepPartial<T[P]> : T[P]
3}
递归深度限制是需要注意的实践要点:
never
类型的双面性作为类型系统的底部类型(Bottom Type),never
具有特殊代数性质:
T | never => T
T & never => never
实践中的典型应用场景:
1// 穷尽性检查
2function assertNever(x: never): never {
3 throw new Error("Unexpected object: " + x)
4}
5
6// 过滤空类型
7type NonNullable<T> = T extends null | undefined ? never : T
技术风险警示:误用 never
可能导致类型系统"黑洞",如 const x: never = 1 as any
会绕过类型检查,需配合严格的 lint 规则使用。
虽然 /// <reference types="..." />
仍在使用,但现代工程实践更推荐:
1// 替代三斜线指令的现代写法
2import type { SomeType } from '@types/node'
模块解析策略对比:
方案 | 适用场景 | 优点 | 缺点 |
---|---|---|---|
三斜线指令 | 全局声明文件 | 声明简单 | 作用域难以控制 |
tsconfig.json types | 项目级依赖 | 集中管理 | 可能影响编译速度 |
ES Module 导入 | 模块化场景 | 精确控制 | 需要显式导入 |
最佳实践:在 monorepo 架构中,使用 pnpm 的 public-hoist-pattern
配置配合 typesVersions
可有效解决多版本类型冲突问题。
TypeScript 的函数参数遵循逆变(Contravariant),而返回值遵循协变(Covariant)。这使得以下赋值合法:
1type VoidFunc = () => void
2const fn: VoidFunc = () => 42 // 允许但返回值被忽略
这种设计源自现实世界的编程模式:
1// 事件处理器模式
2type Handler = (event: Event) => void
3
4const handlers: Handler[] = []
5handlers.push((e) => e.preventDefault()) // 合法
6handlers.push((e) => ({ handled: true })) // 也合法但可能造成隐患
争议分析:这种设计虽然提高了灵活性,但可能导致开发者误以为可以安全使用返回值。解决方案:
no-misused-new
和 no-confusing-void-expression
规则@returns {void}
JSDoc 注解明确意图1type HttpMethod = 'GET' | 'POST' | 'PUT' | 'DELETE'
2type ApiEndpoint = `/${string}/${HttpMethod}`
1const config = {
2 port: 8080,
3 host: 'localhost'
4} satisfies ServerConfig
as const
与 satisfies
的组合使用针对复杂类型操作带来的性能问题:
import type
减少运行时影响1type ApiResponse<T> =
2 | { status: 'success'; data: T }
3 | { status: 'error'; code: number }
4
5function handleResponse<T>(res: ApiResponse<T>) {
6 if (res.status === 'success') {
7 // 类型收窄为 success 分支
8 processData(res.data)
9 } else {
10 handleError(res.code)
11 }
12}
1type RouteParams<T> = T extends `${string}/:${infer P}/${string}`
2 ? [P, ...RouteParams<T>]
3 : []
4
5type Params = RouteParams<'/user/:id/posts/:postId'> // ['id', 'postId']
当类型系统达到极限时,我们需要:
any
逃生舱(配合 @ts-expect-error
注释)正如 TypeScript 之父 Anders Hejlsberg 所言:"类型系统应该像好的家具——在你需要时提供支撑,但不会妨碍你的行动"。掌握类型工具的精髓,方能游走于类型安全与开发效率的平衡点上。