# 泛型
泛型(Generics)是指在定义函数、接口或类的时候,不预先指定具体的类型,而在使用的时候再指定类型的一种特性.
function createArray<T>(length: number, value: T): Array<T> {
let arr: Array<T> = [];
for (let i = 0; i < length; i++) {
arr.push(value);
}
return arr;
}
const arr1 = createArray(3, "x");
const arr2 = createArray(5, 1);
console.log(arr1); //[ 'x', 'x', 'x' ]
console.log(arr2); // [ 1, 1, 1, 1, 1 ]
1
2
3
4
5
6
7
8
9
10
11
12
2
3
4
5
6
7
8
9
10
11
12
# 多个类型参数
function swap<T, U>(tuples: [T, U]): [U, T] {
return [tuples[1], tuples[0]];
}
const tuple1 = swap([1, 2]);
console.log(tuple1); //[2, 1]
const tuple2 = swap(["wanmao", 100]);
console.log(tuple2); //[100, 'wanmao']
1
2
3
4
5
6
7
8
9
2
3
4
5
6
7
8
9
# 泛型约束
在函数内部使用泛型变量的时候, 由于事先不知道它是哪种类型, 所以不能随意的操作它的属性或方法, 这时, 我们可以对泛型进行约束, 只允许这个函数传入那些包含某些属性的变量.这就是泛型约束:
interface Length {
length: number;
}
function loggingIdentity<T extends Length>(arg: T): T {
console.log(arg.length);
return arg;
}
1
2
3
4
5
6
7
8
2
3
4
5
6
7
8
多个类型参数也可以互相约束:
function copyFields<T extends U, U>(target: T, source: U): T {
for (let id in source) {
if (source.hasOwnProperty(id)) {
target[id] = (<T>source)[id];
}
}
return target;
}
let x = { a: 1, b: 2, c: 3, d: 4 };
copyFields(x, { b: 10, d: 20 });
console.log(x); // { a: 1, b: 10, c: 3, d: 20 }
1
2
3
4
5
6
7
8
9
10
11
12
13
2
3
4
5
6
7
8
9
10
11
12
13
T
继承了U
, 表示着U
类型同样可以用T
来表示. 上面的函数的功能是把source
对象的属性全部复制到target
对象里, 如果冲突就用source
对象属性覆盖它. 第4
行代码里, source
原本是U
类型, 但是经过继承, source
就可以使用T
类型, 所以没有报错(不同类型之间不能赋值的). 进而才能进行赋值操作.
# 泛型接口
我们可以在接口里使用泛型:
interface xxx {
<T>(a: number, b: T): Array<T>
}
// 也可以把泛型参数提到外面
interface<T> xxx {
(a: number, b: T): Array<T>
}
1
2
3
4
5
6
7
8
9
2
3
4
5
6
7
8
9
# 泛型参数的默认类型
我们可以为泛型中的类型参数指定默认类型:
function identity<T = string>(arg: T): T {
return arg;
}
console.log(identity("wanmao"));
console.log(identity(123));
1
2
3
4
5
6
2
3
4
5
6