我在网上看到不少关于fetch timeout的封装,可是我以为是伪timeout,只是抛错,可是fetch的Promise链会一直执行下去git
Promise.race([
fetch('/api')
.then(res => res.json())
.then(res => console.log(555)),
new Promise(function(resolve, reject) {
setTimeout(() => {
reject(new Error('request timeout'));
console.log(111);
}, 100);
})
]);
复制代码
结果: github
因而我封装如下代码,支持timeout(我这个其实也是伪timeout,没办法,除非使用xhr,可是超时后Promise链只会执行报错,由于结果和报错使用同一个Promise)和从新请求,因为返回值是一个Promise,用法和fetch保持一致 支持Promise.all,.race
方法json
代码地址api
class TimeoutError extends Error {
constructor(message) {
super(message);
this.name = 'TimeoutError';
}
}
/** * 提供参数校验和wrapper功能 * * @param {*} url * @param {*} [options={ method: 'GET' }] * @returns {Promise} the request result */
function request(url, options = { method: 'GET' }) {
let retryCount = 0;
let parseJSON = response => {
return response.json();
};
let checkStatus = response => {
if (response.status >= 200 && response.status < 300) {
return response;
}
let error = new Error(response.statusText);
error.response = response;
throw error;
};
class Request {
constructor(url, { retry, timeout, ...options }) {
this.url = url;
this.retry = retry || 0;
this.timeout = timeout || 10000;
this.options = options;
}
then(fn) {
let done = false;
setTimeout(() => {
// 不管是请求重试仍是最终超时错误,这次请求获得的结果做废
if (retryCount < this.retry && !done) {
done = true;
retryCount++;
this.then(fn);
} else {
let error = new TimeoutError(`timeout of ${this.timeout}ms execeeded`);
this.catchError(error);
}
}, this.timeout);
fetch(this.url, this.options)
.then(checkStatus)
.then(parseJSON)
.then(res => {
// 未进入重试或者超时错误,返回结果
if (!done) {
fn(res);
done = true;
}
})
.catch(err => {
this.catchError(err);
});
return this;
}
catch(fn) {
this.catchError = fn;
}
}
return new Promise((resolve, reject) =>
new Request(url, options).then(res => resolve(res)).catch(err => reject(err))
);
}
request('/api', {
retry: 2,
timeout: 1000
}).then(res => console.log(res))
复制代码
设置Cache-Control:2s和timeout:1000ms后的请求状况 能够看到1.49s后请求才彻底响应,而咱们设置了1s从新请求,因此第二次请求因为上次请求缓存未失效的缘由,在1.49s的时候利用了上次请求做为结果进行了响应 设置缓存,第一次超时请求结果做废(then函数不执行),第二次请求直接拿了第一次的缓存,这样减小了请求响应时间还减轻了服务器的压力 缓存
请求重试最好跟cache-control配合使用,这样当前面请求超时结果做废后,第二次请求会等到第一次请求结果的返回,前提是缓存没有失效 缓存失效时间是从响应开始时计算的,通常配合超时从新请求的话,timeout设置为正常响应的1.5倍,max-age应该设置为timeout的1.5+倍(或者为timeout的2倍,方便利用上次响应结果),具体数值须要根据具体状况合理设置服务器
可能最后会有人有这样的疑问,你使用缓存,即上一次请求超时响应的结果,那还不如Promise.race的方法简单,同样的效果 使用缓存的优点就是若是第一次超时响应的时间短于timeout加正常响应甚至又一次超时的时间,并且缓存没有失效,那么既节省了时间又节省了服务器的压力,假如失效了呢?从新请求呗!无论怎样,利用缓存绝对是比不利用的好网络
最后,若是你以为这篇文章对你有用的话,麻烦给个小星星,若有错误的话,也欢迎指正app