TypeScript -从具有特定类型的所有属性中获取类型

3phpmpom  于 2023-01-27  发布在  TypeScript
关注(0)|答案(2)|浏览(178)

我有一个来自OpenAPI规范的过滤器对象;比如:

  1. export interface Filters {
  2. field1: string[]
  3. field2: string[]
  4. field3: boolean
  5. field4: number
  6. }

我想通过选择属性的类型从过滤器接口派生一个类型:
比如:

  1. export type MultivalueFields = Select<Filters, string[]>
  2. // type MultivalueFields = 'field1' | 'field2'

这有内在的规律吗?一个人怎样才能得到想要的结果?

a14dhokn

a14dhokn1#

您可以构建一个实用程序类型,如下所示:

  1. type Values<T> = T[keyof T]
  2. type Select<T, SelectType> = Values<{
  3. [Prop in keyof T]: T[Prop] extends SelectType ? Prop : never
  4. }>
  5. // typeof A = 'field1'
  6. type A = Select<{field1: string[], field2: string}, string[]>

所有的功劳都归功于乌克兰的@captain-yossarian

dgenwo3n

dgenwo3n2#

有几个版本的类型可以做到这一点,最新的版本是在Map类型中使用as子句:

  1. type Select<T, SelectType> = keyof {
  2. [Prop in keyof T as T[Prop] extends SelectType ? Prop : never]: any
  3. }
  4. // typeof A = 'field1'
  5. type A = Select<{field1: string[], field2: string}, string[]>

Playground链接
也可以使用类似类型拾取特定类型的特性:

  1. type PickByType<T, SelectType> = {
  2. [Prop in keyof T as T[Prop] extends SelectType ? Prop : never]: T[Prop]
  3. }
  4. // typeof A = { field1: string[]; }
  5. type A = PickByType<{field1: string[], field2: string}, string[]>

Playground链接

展开查看全部

相关问题