我想在LimitRequest中去限制并发请求数量,在外部想要知道请求是否都完成了,就要监听到currentSum的大小。如何实现呢?
export class LimitRequest {
private limit: number = 1; // 限制并发数量
private currentSum: number = 0; // 当前发送数量
private requests: Array<any> = []; // 请求
constructor(limit: number) {
this.limit = limit;
this.currentSum = 0;
this.requests = [];
}
public request(reqFn: Function) {
this.requests.push(reqFn);
if (this.currentSum < this.limit) {
this.run();
}
}
public stop() {
this.requests = [];
this.currentSum = 0;
}
async run() {
try {
++this.currentSum;
const fn = this.requests.shift();
console.log('开始开始', this.currentSum, this.requests.length);
await fn();
} catch (err) {
console.log('Error', err);
} finally {
--this.currentSum;
if (this.requests.length > 0) {
this.run();
}
}
}
}
根据题目描述,需要 "知道请求是否都完成了",此时可以根据
requests.length
是否为0
来判断,即如果请求列表为空时代表所有请求均已被执行。LimitRequest.ts
用法:
输出如下:
上面的实现有个小问题,
Finished
打印了两次,即结束回调函数执行了两次。这是由于我们仅仅判断了requests.length
是否为空,而没有判断传入的函数是否均已执行完成,异步函数的执行会有延迟。要解决这个问题,可以在LimitRequest
这个类中为每一个传入的请求函数增加一个唯一的 id,用于识别每个函数。pendingRequests
记录执行中的函数的 id,在请求函数执行完毕后再从pendingRequests
中删除其 id。pendingRequests
和requests
均为空,即可以得知所有请求执行完成。实现:
输出: