什么是泛型呢?
泛型简单来说就是类型变量,在ts中存在类型,如number、string、boolean等。泛型就是使用一个类型变量来表示一种类型,类型值通常是在使用的时候才会设置。泛型的使用场景非常多,可以在函数、类、interface接口中使用
为什么使用泛型?
TypeScript 中不建议使用 any 类型,不能保证类型安全,调试时缺乏完整的信息。 TypeScript可以使用泛型来创建可重用的组件。支持当前数据类型,同时也能支持未来的数据类型。扩展灵活,可以在编译时发现类型错误,从而保证了类型安全。
泛型的使用
1.使用泛型变量
function identityVar<T>(arg: T): T {
console.log(typeof arg);
return arg;
}
let output1 = identityVar<string>('myString');
let output2 = identityVar('myString');
let output3: number = identityVar<number>(100);
let output4: number = identityVar(200);
function loggingIdentity<T>(arg: Array<T>): Array<T> {
console.log(arg.length);
return arg;
}
loggingIdentity([1, 2, 3]);```
2、定义泛型函数
```javascript
function identityFn<T>(arg: T): T {
return arg;
}
let myIdentityFn: { <T>(arg: T): T } = identityFn;
3、定义泛型接口
interface GenericIdentityFn<T> {
(arg: T): T;
}
function identity<T>(arg: T): T {
return arg;
}
let myIdentity: GenericIdentityFn<number> = identity;
4、定义泛型类
class GenericNumber<T> {
zeroValue: T;
add: (x: T, y: T) => T;
}
let myGenericNumber = new GenericNumber<number>();
myGenericNumber.zeroValue = 0;
myGenericNumber.add = function (x, y) {
return x + y;
};
console.info(myGenericNumber.add(2, 5));
let stringNumberic = new GenericNumber<string>();
stringNumberic.zeroValue = 'asd';
stringNumberic.add = function (x, y) {
return `${x}--${y}`;
};
console.info(stringNumberic.add('张三', '李四'));
5、综合实现 lodash.find
function find<T>(items: T[], callback: (item: T, index: number) => boolean): T | undefined {
for (let i = 0, len = items.length; i < len; i++) {
if (callback(items[i], i)) {
return items[i];
}
}
}
const items = [{ a: 1 }, { a: 2 }, { a: 4 }, null];
const result = find(items, (item, index) => item.a === 2);
备注: 首先是给函数声明了一个类型变量T,后面要求items是一个T类型的数组,然后后面的callback函数的参数item是一个T类型的变量,index为数字,然后callback返回boolean类型结果,整个find函数返回T类型结果或undefined
如上,我们就能准确定义函数的每一个参数了,参数与参数,参数与返回结果之间就形成了约束关系
|