https://cloud.tencent.com/developer/article/1697712

1. 交叉类型

交叉类型是将多种类型组合为一种类型的方法。这意味着你可以将给定的类型A与类型B或更多类型合并,并获得具有所有属性的单个类型。

  1. type LeftType = {
  2. id: number
  3. left: string
  4. }
  5. type RightType = {
  6. id: number
  7. right: string
  8. }
  9. type IntersectionType = LeftType & RightType
  10. function showType(args: IntersectionType) {
  11. console.log(args)
  12. }
  13. showType({
  14. id: 1, left: "test", right: "test"
  15. })
  16. // Output: {id: 1, left: "test", right: "test"}

IntersectionType 组合了两种类型: LeftTypeRightType ,并使用 符号构造交叉类型。

2. 联合类型

联合类型表示一个值可以是几种类型之一,例如某个函数希望传入 string 或者 number 类型的参数。

  1. type UnionType = string | number
  2. function showType(arg: UnionType) {
  3. console.log(arg)
  4. }
  5. showType("test")
  6. // Output: test
  7. showType(7)
  8. // Output: 7

函数 showType 的参数是一个联合类型,它接受 stringnumber 作为参数。

3.泛型

泛型是指在定义函数、接口或类的时候,不预先指定具体的类型,而在使用的时候再指定类型的一种特性。

  1. function showType<T>(args: T) {
  2. console.log(args)
  3. }
  4. showType("test")
  5. // Output: "test"
  6. showType(1)
  7. // Output: 1

要构造泛型,需要使用尖括号并将 T 作为参数传递。 在这里,我使用 T(名称自定义),然后使用不同的类型两次调用 showType 函数。

  1. interface GenericType<T> {
  2. id: number
  3. name: T
  4. }
  5. function showType(args: GenericType<string>) {
  6. console.log(args)
  7. }
  8. showType({ id: 1, name: "test" })
  9. // Output: {id: 1, name: "test"}
  10. function showTypeTwo(args: GenericType<number>) {
  11. console.log(args)
  12. }
  13. showTypeTwo({ id: 1, name: 4 })
  14. // Output: {id: 1, name: 4}

在这里,我们有另一个示例,该示例具有一个接口 GenericType,该接口接收泛型 T 。由于它是可重用的,因此可以首先使用字符串,然后使用数字来调用它。

  1. interface GenericType<T, U> {
  2. id: T
  3. name: U
  4. }
  5. function showType(args: GenericType<number, string>) {
  6. console.log(args)
  7. }
  8. showType({ id: 1, name: "test" })
  9. // Output: {id: 1, name: "test"}
  10. function showTypeTwo(args: GenericType<string, string[]>) {
  11. console.log(args)
  12. }
  13. showTypeTwo({ id: "001", name: ["This", "is", "a", "Test"] })
  14. // Output: {id: "001", name: Array["This", "is", "a", "Test"]}

泛型可以接收多个参数。在这里,我们传入两个参数:TU,然后将它们用作属性的类型。也就是说,我们现在可以使用该接口并提供不同的类型作为参数。

内置类型

TypeScript 提供了方便的内置类型,可帮助轻松地操作类型。要使用它们,你需要将要转换的类型传递给 <>

Partial

  • Partial 允许你将 T 类型的所有属性设为可选。 ```typescript interface PartialType { id: number firstName: string lastName: string } function showType(args: Partial) { console.log(args) } showType({ id: 1 }) // Output: {id: 1}

showType({ firstName: “John”, lastName: “Doe” }) // Output: {firstName: “John”, lastName: “Doe”}

  1. <br />/<br />如你所见,我们有一个 `PartialType` 接口,用作 `showType()` 函数接收的参数的类型。为了使属性成为可选属性,我们必须使用 `Partial` 关键字并将 `PartialType` 类型作为参数传递。也就是说,现在所有字段都变为可选。
  2. <a name="Required"></a>
  3. #### **Required**
  4. - `Required`与 `Partial` 不同,`Required` 所有类型为 `T` 的属性成为必需。
  5. ```typescript
  6. interface RequiredType {
  7. id: number
  8. firstName?: string
  9. lastName?: string
  10. }
  11. function showType(args: Required<RequiredType>) {
  12. console.log(args)
  13. }
  14. showType({ id: 1, firstName: "John", lastName: "Doe" })
  15. // Output: { id: 1, firstName: "John", lastName: "Doe" }
  16. showType({ id: 1 })
  17. // Error: Type '{ id: number: }' is missing the following properties from type 'Required<RequiredType>': firstName, lastName

即使我们之前设置的是可选属性,Required 也会使所有属性成为必需。如果省略属性,TypeScript 会抛出错误。

Readonly

  • ReadonlyT 类型的所有属性变成只读属性。
    1. interface ReadonlyType {
    2. id: number
    3. name: string
    4. }
    5. function showType(args: Readonly<ReadonlyType>) {
    6. args.id = 4
    7. console.log(args)
    8. }
    9. showType({ id: 1, name: "Doe" })
    10. // Error: Cannot assign to 'id' because it is a read-only property.

这里,我们使用 Readonly 来使 ReadonlyType 的属性变成只读属性。如果你尝试为这些字段赋值,则会引发错误。
除此之外,还可以在属性前面使用关键字 readonly 使其只读。

  1. interface ReadonlyType {
  2. readonly id: number
  3. name: string
  4. }


Pick

  • Pick

T 中取出 K 中指定的属性。

  1. interface PickType {
  2. id: number
  3. firstName: string
  4. lastName: string
  5. }
  6. function showType(args: Pick<PickType, "firstName" | "lastName">) {
  7. console.log(args)
  8. }
  9. showType({ firstName: "John", lastName: "Doe" })
  10. // Output: {firstName: "John"}
  11. showType({ id: 3 })
  12. // Error: Object literal may only specify known properties, and 'id' does not exist in type 'Pick<PickType, "firstName" | "lastName">'

Pick 需要两个参数 —— T 是要从中选择元素的类型,而 K 是要选择的属性。你也可以通过使用竖线( | )分隔多个字段来选择多个字段。

Omit

  • OmitPick 相反,不是选择元素,而是从类型 T 中删除 K 属性。

    1. interface PickType {
    2. id: number
    3. firstName: string
    4. lastName: string
    5. }
    6. function showType(args: Omit<PickType, "firstName" | "lastName">) {
    7. console.log(args)
    8. }
    9. showType({ id: 7 })
    10. // Output: {id: 7}
    11. showType({ firstName: "John" })
    12. // Error: Object literal may only specify known properties, and 'firstName' does not exist in type 'Pick<PickType, "id">'


    Extract

  • ExtractT 中提取所有可分配给 U 的类型。

    1. interface FirstType {
    2. id: number
    3. firstName: string
    4. lastName: string
    5. }
    6. interface SecondType {
    7. id: number
    8. address: string
    9. city: string
    10. }
    11. type ExtractType = Extract<keyof FirstType, keyof SecondType>
    12. // Output: "id"

在这里,我们有两种共同的属性 id。因此,通过使用 Extract 关键字,由于两个接口中都存在字段 id,因此我们可以获取它。并且,如果有有多个共同字段,Extract 将提取所有共同的属性。

Exclude

Extract 不同,ExcludeT 中排除所有可分配给 U 的类型。

  1. interface FirstType {
  2. id: number
  3. firstName: string
  4. lastName: string
  5. }
  6. interface SecondType {
  7. id: number
  8. address: string
  9. city: string
  10. }
  11. type ExcludeType = Exclude<keyof FirstType, keyof SecondType>
  12. // Output; "firstName" | "lastName"

如上所示,属性 firstNamelastName 可分配给 ExcludeType 类型,因为它们在 SecondType 中不存在。

Record

  • Record

Record<K,T> 构造具有给定类型 T 的一组属性 K 的类型。在将一个类型的属性映射到另一个类型的属性时,Record 非常方便。

  1. interface EmployeeType {
  2. id: number
  3. fullname: string
  4. role: string
  5. }
  6. let employees: Record<number, EmployeeType> = {
  7. 0: { id: 1, fullname: "John Doe", role: "Designer" },
  8. 1: { id: 2, fullname: "Ibrahima Fall", role: "Developer" },
  9. 2: { id: 3, fullname: "Sara Duckson", role: "Developer" },
  10. }
  11. // 0: { id: 1, fullname: "John Doe", role: "Designer" },
  12. // 1: { id: 2, fullname: "Ibrahima Fall", role: "Developer" },
  13. // 2: { id: 3, fullname: "Sara Duckson", role: "Developer" }

Record 的工作方式相对简单。在这里,它期望数字作为类型,属性值的类型是 EmployeeType ,因此具有 idfullNamerole 字段的对象。

NonNullable

  • NonNullable

NonNullable 从类型T中删除 nullundefined
type NonNullableType = string | number | null | undefined

function showType(args: NonNullable) {
console.log(args)
}

showType(“test”)
// Output: “test”

showType(1)
// Output: 1

showType(null)
// Error: Argument of type ‘null’ is not assignable to parameter of type ‘string | number’.

showType(undefined)
// Error: Argument of type ‘undefined’ is not assignable to parameter of type ‘string | number’.
在这里,我们将类型 NonNullableType 作为参数传递给 NonNullableNonNullable 将该类型中排除 nullundefined 来构造新类型。也就是说,如果传递可为空的值,TypeScript 将报错。
顺便说一句,如果将 --strictNullChecks 标志添加到 tsconfig 文件,TypeScript 将应用非空性规则。

Mapped types

映射类型允许你采用现有模型并将其每个属性转换为新类型。
type StringMap = {
[P in keyof T]: string
}

function showType(arg: StringMap<{ id: number; name: string }>) {
console.log(arg)
}

showType({ id: 1, name: “Test” })
// Error: Type ‘number’ is not assignable to type ‘string’.

showType({ id: “testId”, name: “This is a Test” })
// Output: {id: “testId”, name: “This is a Test”}
StringMap<> 会将传入的任何类型转换为字符串。就是说,如果我们在函数 showType() 中使用它,则接收到的参数必须是字符串,否则,TypeScript 将报错。

类型保护

类型保护使你可以使用运算符检查变量或对象的类型。

typeof

function showType(x: number | string) {
if (typeof x === “number”) {
return The result is ${x + x}
}
throw new Error(This operation can't be done on a ${typeof x})
}

showType(“I’m not a number”)
// Error: This operation can’t be done on a string

showType(7)
// Output: The result is 14
我们有一个普通的 JavaScript 条件块,使用 typeof 来检查入参的类型。

instanceof

instanceof 类型保护是通过构造函数来细化类型的一种方式。
class Foo {
bar() {
return “Hello World”
}
}

class Bar {
baz = “123”
}

function showType(arg: Foo | Bar) {
if (arg instanceof Foo) {
console.log(arg.bar())
return arg.bar()
}

  1. throw new Error("The type is not supported")<br />}

showType(new Foo())
// Output: Hello World

showType(new Bar())
// Error: The type is not supported

in

interface FirstType {
x: number
}
interface SecondType {
y: string
}

function showType(arg: FirstType | SecondType) {
if (“x” in arg) {
console.log(The property ${arg.x} exists)
return The property ${arg.x} exists
}
throw new Error(“This type is not expected”)
}

showType({ x: 7 })
// Output: The property 7 exists

showType({ y: “ccc” })
// Error: This type is not expected

条件类型

它测试两种类型,并根据该测试的结果选择其中一种。
type NonNullable = T extends null | undefined ? never : T
NonNullable 检查类型是否为 null 或者 undefined,并根据检查结果进行处理。