在定义函数或是类时,如果遇到类型不明确就可以使用泛型
function fn<A>(a: A): A{
return a;
}
可以直接调用具有泛型的函数
let result = fn(10); // 不指定泛型, TS可以自动对类型进行推断
let result2 = fn<string>('Hello'); // 指定泛型
泛型可以指定多个
function fn2<A, B>(a:A, b:B){
console.log(b);
return a;
}
fn2<number, string>(123, 'Hello world');
interface Inter{
length: number;
}
// T extends Inter 表示泛型T必须是Inter实现类(子类)
function fn3<T extends Inter>(a: T): number{
return a.length;
}
class Myclass<T>{
name: T;
constructor(name: T){
this.name = name
}
}
const mc = new Myclass<string>('孙悟空');