可选泛型

表示泛型内的属性不是必须的

  1. const info1:Partial<Props>={
  2. name:'1'
  3. }
必选泛型

和可选相反,使用Required关键字

转化泛型

将T中的所有属性 转化为K类型

  1. interface Props {
  2. name: string,
  3. age: number
  4. }
  5. type InfoProps = 'JS' | 'TS'
  6. const Info: Record<InfoProps, Props> = {
  7. JS: {
  8. name: '小杜杜',
  9. age: 7
  10. },
  11. TS: {
  12. name: 'TypeScript',
  13. age: 11
  14. }
  15. }
采集泛型

将某个类型的子属性挑选出来变成包含这个挑选部分的类型

Pick 通常用来返回一个新的type

他是采集T中一部分属性 作为新的类型使用

  1. interface Props {
  2. name: string,
  3. age: number,
  4. sex: boolean
  5. }
  6. type nameProps = Pick<Props, 'name' | 'age'>
  7. const info: nameProps = {
  8. name: '小杜杜',
  9. age: 7
  10. }
剔除泛型

将T类型中的U类型移除, 注意U中如果有 T没有的属性, 那么结果将会是never

  1. // 数字类型
  2. type numProps = Exclude<1 | 2 | 3, 1 | 2> // 3
  3. type numProps1 = Exclude<1, 1 | 2> // nerver
  4. type numProps2 = Exclude<1, 1> // nerver
  5. type numProps3 = Exclude<1 | 2, 7> // 1 2
  6. // 字符串类型
  7. type info = "name" | "age" | "sex"
  8. type info1 = "name" | "age"
  9. type infoProps = Exclude<info, info1> // "sex"
  10. // 类型
  11. type typeProps = Exclude<string | number | (() => void), Function> // string | number
  12. // 对象
  13. type obj = { name: 1, sex: true }
  14. type obj1 = { name: 1 }
  15. type objProps = Exclude<obj, obj1> // nerver
提取泛型
Extra, 将T 可分配的类型提取到 U,与Exclude相反
  1. type numProps = Extract<1 | 2 | 3, 1 | 2> // 1 | 2
移除泛型

将已经声明的类型进行属性剔除后获得新类型,和Exclude类似,不同的是它是返回一个新类型

Omit, 在原有的类型上剔除一部分类型返回一个新类型

非空泛型

从T中 排序 null 和 undefined

  1. type Props = NonNullable<string|number|undefined> // string|number
获取函数泛型

用于获取 函数T 的返回的类型

  1. type Props = ReturnType<() => string> // string
  2. type Props1 = ReturnType<<T extends U, U extends number>() => T>; // number
  3. type Props2 = ReturnType<any>; // any
  4. type Props3 = ReturnType<never>; // any
获取参数泛型

获取 函数T中的参数类型

  1. type Props = Parameters<() => string> // []
  2. type Props1 = Parameters<(data: string) => void> // [string]
  3. type Props2 = Parameters<any>; // unknown[]
  4. type Props3 = Parameters<never>; // neve
获取 实例
用于构造一个由所有Type的构造函数的实例类型组成的类型。
  1. class C {
  2. x = 0;
  3. y = 0;
  4. }
  5. type T0 = InstanceType<typeof C>;
  6. // type T0 = C
  7. type T1 = InstanceType<any>;
  8. // type T1 = any
  9. type T2 = InstanceType<never>;
  10. // type T2 = never
  11. type T3 = InstanceType<string>;
  12. // TypeError: Type 'string' does not satisfy the constraint 'abstract new (...args: any) => any'.
  13. // type T3 = any
  14. type T4 = InstanceType<Function>;
  15. // TypeError: Type 'Function' does not satisfy the constraint 'abstract new (...args: any) => any'. Type 'Function' provides no match for the signature 'new (...args: any): any'.
  16. // type T4 = any