个人主页:不叫猫先生
♂️作者简介:前端领域新星创作者、华为云享专家、阿里云专家博主,专注于前端各领域技术,共同学习共同进步,一起加油呀!
系列专栏:vue3从入门到精通、TypeScript从入门到实践
个人签名:不破不立
资料领取:前端进阶资料以及文中源码可以找我免费领取(文末有我wx)
我们经常说道的接口比如后端写了一个接口给前端调用,接口包括地址、参数、请求方式等等,参数规定了传参的类型。而在TS中的接口的定义是什么呢?
顾名思义,它也是一种类型,和number、string、undefined等一样,约束使用者使用,主要是用来进一步定义对象中属性的类型。它是对行为模块的抽象,具体的行为是用类来实现。
通过interface
来声明类的类型,使用时需要注意以下几点:
interface
声明的类的首字母大写,这是tslint
规范,当然不使用时tslint
规范,写成小写是不会报错,建议大写interface Class {
name: string;
time: number;
}
let info: Class = {
name: 'typescript',
time: 2
}
设置联合类型,具体如下:
interface Class {
name: string;
time: number | string;
}
let info: Class = {
name: 'typescript',
time: '2'
}
错误示范:
let info: Class = {
name: 'typescript',
time: 2,
age:18
}
let info: Class = {
name: 'typescript',
time: '2',
}
let info: Class = {
name: 'typescript',
}
另外除了以上基础用法外,还可以设置接口属性只读、索引签名、可选属性、函数类型接口,具体如下:
我们在接口中属性前加readonly,表示该属性为只读,如果修改该属性的值话就会报错
interface Class {
readonly name: string;
time: number;
}
let info: Class = {
name: 'typescript',
time: 2
}
info.name = 'zhangsan';//Error
设置索引签名后,在对象数据中传入多余的属性,仍能够执行。具体使用是在接口中定义一个 [property:string]:any
,意思是定义了一个属性,属性的类型是字符串,属性值类型为任意。
interface Class {
readonly name: string;
time: number;
[property:string]:any
}
let info: Class = {
name: 'typescript',
time: 2,
age:19,
sex:'男'
}
因为设置了索引签名,故而此时并不会报错。
当property设置为number时,则该属性就变成了类数组,具体如下所示:
interface Class {
[property:number]:any
}
let info: Class = ['one','two'];
//可以通过索引进行访问值,但是不能使用数组的方法,毕竟不是真正的数组
console.log(info[0])//one
设置可选只需要在接口中属性后加?
,则表示该属性要不要都无所谓
undefined
interface Class {
readonly name: string;
time: number;
age?:number;
func?():void;
}
let info: Class = {
name: 'typescript',
time: 2,
age:19,
}
少写age
此时也不会报错,因为接口中设置了可选
let info: Class = {
name: 'typescript',
time: 2
}
console.log(info.age)//undefined
console.log(info.func())//Error,不能直接调用
//先进行判断,再调用,因为可能未定义func
if(info.func) info.func()
我们也可以用接口来定义函数的参数和返回值。
interface Class {
(numA:number,numB:number):number
}
let info: Class = (numA,numB)=>numA+numB
info(1,2)
info(1,'2')//Error