我有一个递归异步函数getResponse(url,attempts = 0)
,它轮询外部 api 以获取响应,并在达到 X 次重试或服务器错误后解决或退出。但是,它的内部“时钟”基于重试次数(在允许延迟以避免速率限制之后),但我也希望灵活地设置基于时间的计时器,这将解决函数并结束递归。理想情况下,我希望能够将基于时间的计时器包装在我的递归异步函数周围,就像这样timed(getResponse(url),3400)
我只设法让基于时间的计时器和基于“重试”的计时器一起工作,方法是将两个计时器打包在一个异步函数中,并将局部变量expired
用作退出标志并在两个函数上设置 Promise.race 条件。
async function timedgetResponse (expiry = 3500,url) {
let expired = false;
async function timeout(expiry){
await new Promise(_=> setTimeout(_,expiry));
expired = true;
return false;
};
async function getResponse(url,attempts = 0){
try {
if(expired){ return false; };
const limit = 10;
if(attempts >= limit){ok: false, e:"MAX_ATTEMPTS"};
const rawRes = await fetch(url,
{
method: 'GET',
credentials: 'include',
headers: {
'Accept': 'application/json'
}
});
if (!rawRes.ok) { throw (Error('SERVER_ERROR')); };
const res = await rawRes.json();
if(!res || res.status === 0){ throw (Error(res.request)); };
return {ok: true, res: res.request};
} catch(e){
const err = e.message;
if(err === "RESPONSE_NOT_READY"){
await new Promise(_ => setTimeout(_, 333));
attempts +=1;
return getResponse(url,attempts);
} else
if(err === "SERVER_ERROR_ON_RESOLVER"){
await new Promise(_ => setTimeout(_, 10000));
attempts +=1;
return getResponse(url,attempts);
} else {
return {ok: false, e:"MISC_ERROR"};
};
};
};
const awaited = await Promise.race([
getResponse(url),
timeout(expiry)
]);
return awaited;
};
我觉得这不是正确的方法,并且希望对timed(getResponse(url),3400)
解决方案有任何帮助。