您的当前位置:首页正文

TypeScript 函数类型 (二)

2024-11-29 来源:个人技术集锦

函数类型

  • function 关键字来定义函数
function a(){}
  • 表达式定义(箭头函数的形式)
const a=()=>{}

函数需要定义类型的有三个地方 入参返回值 以及 函数本身 的类型, 函数本身的类型常用于表达式定义的函数

function sum(a:string,b:string):string{
    return a+b
}
let sum1 = (a:string,b:string): string => {
    return a+b
}

type sum1Type = (a:string,b:string)=> string
let sum2: sum1Type = (a:string,b:string): string => {
    return a+b
}

类型推导

根据返回值类型推导

function f(a:string,b:string) {
    return a+b
}

根据上下文推导,根据位置来进行推导,也就是 x 对应入参 a 的类型,y对应b的类型,

type ISum = (x:string,y:string)=> string;
let sum3:ISum = (a,b) => {
    return a+b
}

函数返回类型

函数返回类型可以为void,意思为不校验返回值,在某些时候函数有没有返回值是没有意义的。

type ICallback = (a:string,b:number)=> void
function fn(callback:ICallback) {}
fn((a,b) => {
    return '1'
})

函数可选参数

在入参后面增加?,可以将这个入参变为可选,但是只能用在入参最后。

let sum4 = (a:string,b:string,c?:string):string => {
    return a+b
}
sum4('3','7')

函数剩余参数

剩余运算符 ...,可以传入不指定数量的参数

let total = (a:string,b:string,...rest:string[]): string => {
    return a+b+rest.join('')
}
total('1','2','3','4','5')

获取类型的内置方法

  • typeof 获取变量类型
let person = {
    name: '123',
    age: 123
}
type PersonType = typeof person

  • keyof 获取索引类型只能查询类型
type PersonKeyType = keyof typeof person

ts中this需要手动指定。默认是函数的第一个参数

let person = {
    name: '123',
    age: 123
}
type PersonType = typeof person
type PersonKeyType = keyof typeof person
function getV(this: PersonType, key: PersonKeyType ) {
    return this[key]
}
let r = getV.call(person, "name")

函数重载

重载 根据不同的参数类型做不同处理,一般这个参数类型是有限的。ts中的重载是伪重载,只是类型重载,不是逻辑重载

function toArray(value: string | number){
    if (typeof value ==='string') {
        return value.split('')
    }
    if (typeof value === 'number') {
        return value.toString().split('')
    }
}
let arr = toArray('123')

显示全文