微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

TypeScript--交叉类型

交叉类型是将多个类型合并为一个类型。 这让我们可以把现有的多种类型叠加到一起成为一种类型,它包含了所需的所有类型的特性。

示例

interface Person {
    name: string
    age: number
}

interface Student {
    school: string
}

// ✅正确
const stu: Person & Student = {
    name: 'Tom',
    age: 23,
    school: 'Oxford',
}

// ❌错误
// Property 'school' is missing in type ...
const stu: Person & Student = {
    name: 'Tom',
    age: 23,
}

// ❌错误
// Type '{ school: string; }' is missing the following properties from type 'Person': name, age
const stu: Person & Student = {
    school: 'Oxford'
}

Person & Student 可以使用类型别名

interface Person {
    name: string
    age: number
}

interface Student {
    school: string
}

type StudentInfo = Person & Student

// ✅正确
const stu: StudentInfo = {
    name: 'Tom',
    age: 23,
    school: 'Oxford',
}

// ❌错误
// Property 'school' is missing in type ...
const stu: StudentInfo = {
    name: 'Tom',
    age: 23,
}

// ❌错误
// Type '{ school: string; }' is missing the following properties from type 'Person': name, age
const stu: StudentInfo = {
    school: 'Oxford'
}

或者

interface Person {
    name: string
    age: number
}

type UserInfo = Person & {isAdmin: boolean, level?: string}

// ✅正确
const user1: UserInfo = {
    name: 'Tom',
    age: 23,
    isAdmin: true,
    level: 'A1',
}

// ❌错误
// Property 'isAdmin' is missing in type ...
const user2: UserInfo = {
    name: 'Tom',
    age: 23,
}

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。

相关推荐