在TypeScript中为什么应该使用Type而不是Interface
在TypeScript中经常会遇到应该使用Type还是Interface的问题,本篇文章将讲解应该使用Type而不是Interface的好处
以下是最常见的使用场景,可以看到Type
和Interface
都能用作组件属性类型
type UserProps = {
name: string;
age: number;
}
// interface UserProps {
// name: string;
// age: number;
// }
export default function User({}: UserProps){
return <div>Card</div>;
}
给一个基础类型增加其他属性
type
使用的是交叉
type UserProps = {
name: string;
ages: number;
};
type AdminProps = UserProps & {
role: string;
}
interface
使用的是继承
interface UserProps {
name: string;
age: number;
}
interface AdminProps extends UserProps {
role: string;
}
interface只能描述对象,而type可以描述对象以及其他任何东西(例如:像string,number,boolean等原生类型)
为了更语义化,定义一个Address
类型,这个类型实际是string
类型
type Address = string;
const address: Address = "广东省深圳市南山区";
interface
为了实现这种效果,需要这样使用
interface Address {
address: string;
}
const address: Address = {
address: "广东省深圳市南山区"
}
可以看出使用type
更加方便
type可以描述联合类型,而interface不行
type Address = string | string[];
const address: Address = ["广东省深圳市南山区", "广东省深圳市福田区"]
type可以轻松使用工具类型,interface也可以,不过只能用丑陋的语法
使用Omit
取出UserProps
中除某几个属性外的其他属性作为一个新的类型
type UserProps = {
name: string;
age: number;
createdBy: Date;
}
type GuestProps = Omit<UserProps, "name" | "age">;
interface
需要使用继承,并会有一个空的括号
interface GuestProps extends Omit<UserProps, "name" | "age"> {}
type可以轻松描述元组,interface也可以,不过只能用丑陋的语法
type Address = [number, string];
// interface Address extends Array<number | string> {
// 0: number;
// 1: string;
// }
const address: Address = [1, '广东省深圳市南山区'];
从其他类型提取类型
const project = {
title: "Project 1",
specification: {
areaSize: 100,
rooms: 3
},
}
// const project = {
// title: "Project 1",
// specification: {
// areaSize: 100,
// rooms: 3
// },
// } as const
type Specification = typeof project["specification"];
甚至可以给project
加上as const
,这样specification
中的areaSize
和rooms
都固定为常量了
interface可以被合并,“interface是开放的”和“type是收敛的”
interface User {
name: string;
age: number;
}
interface User {
role: string;
}
let user: User = {
}
两个User
的interface
可以同时定义,最终User
将会是两者的结合,这在使用第三方库并存在相同interface
的时候会造成困扰
type User = {
name: string;
age: number;
}
// type User = {
// role: string;
// }
type User2 = User & {
role: string;
}
let user: User2 = {
}
定义两个相同名称的User
将会报错,可以使用交叉类型来增加属性,清晰明了
type也能被class使用
interface IUser {
name: string;
age: number;
}
type TUser = {
name: string;
age: number;
}
class User implements TUser {
name: string;
age: number;
constructor(name: string, age: number) {
this.name = name;
this.age = age;
}
}
结语
当我们能用type
实现interface
的所有功能,并且方式更优雅,而且还具备interface
不能实现的功能时,我们应该毫不犹豫选择使用type
而不是interface
,毕竟我们用的是TypeScript
而不是InterfaceScript
转载自:https://juejin.cn/post/7350478703317762088