如果你简历上的傻傻技能有写 TypeScript,那么面试官可能会问你 type 和 interface 之间有什么区别?清楚你知道怎么回答这个问题么?如果不知道的话,那看完本文也许你就懂了。傻傻 类型别名 type 可以用来给一个类型起个新名字,清楚当命名基本类型或联合类型等非对象类型时非常有用: type MyNumber = number; type StringOrNumber = string | number; type Text = string | string[]; type Point = [number,傻傻 number]; 在 TypeScript 1.6 版本,类型别名开始支持泛型。清楚我们工作中常用的傻傻 Partial、Required、清楚Pick、傻傻Record 和 Exclude 等工具类型都是清楚以 type 方式来定义的。 // lib.es5.d.ts type Partial [P in keyof T]?傻傻: T[P]; }; type Required [P in keyof T]-?: T[P]; }; type Pick [P in K]: T[P]; }; type Record [P in K]: T; }; type Exclude 而接口 interface 只能用于定义对象类型,Vue 3 中的清楚 App 对象就是使用 interface 来定义的: // packages/runtime-core/src/apiCreateApp.ts export interface App version: string config: AppConfig use(plugin: Plugin, ...options: any[]): this mixin(mixin: ComponentOptions): this component(name: string): Component | undefined // Getter component(name: string, component: Component): this // Setter directive(name: string): Directive | undefined directive(name: string, directive: Directive): this } 由以上代码可知,在定义接口时,傻傻我们可以同时声明对象类型上的清楚属性和方法。了解 type 和 interface 的傻傻作用之后,我们先来介绍一下它们的相似之处。 1、类型别名和接口都可以用来描述对象或函数。 类型别名type Point = { x: number; y: number; }; type SetPoint = (x: number, y: number) => void; 在以上代码中,站群服务器我们通过 type 关键字为对象字面量类型和函数类型分别取了一个别名,从而方便在其他地方使用这些类型。 接口interface Point { x: number; y: number; } interface SetPoint { (x: number, y: number): void; 2、类型别名和接口都支持扩展。 类型别名通过 &(交叉运算符)来扩展,而接口通过 extends 的方式来扩展。 类型别名扩展type Animal = { name: string } type Bear = Animal & { honey: boolean } const bear: Bear = getBear() bear.name bear.honey 接口扩展interface Animal { name: string } interface Bear extends Animal { honey: boolean } 此外,接口也可以通过 extends 来扩展类型别名定义的类型: type Animal = { name: string } interface Bear extends Animal { honey: boolean } 同样,类型别名也可以通过 &(交叉运算符)来扩展已定义的接口类型: interface Animal { name: string } type Bear = Animal & { honey: boolean } 了解完 type 和 interface 的相似之处之后,接下来我们来介绍它们之间的区别。 1、类型别名可以为基本类型、联合类型或元组类型定义别名,而接口不行。 type MyNumber = number; type StringOrNumber = string | number; type Point = [number, number]; 2、同名接口会自动合并,而类型别名不会。 同名接口合并interface User { name: string; } interface User { id: number; } let user: User = { id: 666, name: "阿宝哥" }; user.id; // 666 user.name; // "阿宝哥" 同名类型别名会冲突type User = { name: string; }; // 标识符“User”重复。ts(2300) type User = { //Error id: number; }; 利用同名接口自动合并的特性,在开发第三方库的时候,我们就可以为使用者提供更好的安全保障。亿华云计算比如 webext-bridge 这个库,使用 interface 定义了 ProtocolMap 接口,从而让使用者可自由地扩展 ProtocolMap 接口。 之后,在利用该库内部提供的 onMessage 函数监听自定义消息时,我们就可以推断出不同消息对应的消息体类型。 扩展 ProtocolMap 接口import { ProtocolWithReturn } from webext-bridge declare module webext-bridge { export interface ProtocolMap { foo: { title: string } bar: ProtocolWithReturn } } 监听自定义消息import { onMessage } from webext-bridge onMessage(foo, ({ data }) => { // type of `data` will be `{ title: string }` console.log(data.title) } 使用类型别名的场景: 使用接口的场景: