我有一个函数,在出错时(例如“timeout”)应该抛出一个错误,我会在promise链的末尾捕获。
var createOrder = function (id) {
Utility.toggleProgressBar();
return $.ajax({
url: 'http://' + AppVar.ServerUrlWithPort + '/restapi/CreateOrder',
data: JSON.stringify({
'SessionId': AppVar.SessionId,
'Idrmtreq': id
}),
}).then(function (response) {
if (response.ResultCode === '0') {
return response;
} else {
throw new Error($.i18n('Error-RetrivingDataProblem'));
}
}).fail(function (x, t, m) {
if (t === "timeout") {
throw new Error($.i18n('Error-Timeout')); //code reaches here, where Chrome debugger says that this error was left Uncaught
//for the record, I checked whether the translation function could be the problem and it doesn't work even when I do 'throw "timeout";'
} else {
throw new Error($.i18n('Error-ConnError'))
}
}).catch(function (error) {
//error == {"readyState":0,"status":0,"statusText":"timeout"}
ErrorManager.displayError(error);
return;
}).always(function () {
Utility.toggleProgressBar();
})
}
具体来说,我遇到了超时问题。代码达到了抛出。我投掷的投掷实际上是未被捕获的,但有些事情会被抛出。 Catch捕获包含此Object {"readyState":0,"status":0,"statusText":"timeout"}
的错误。
我不明白。什么在扔?
答案 0 :(得分:1)
绝不使用done
或fail
。他们不会链接(并且不会捕获异常)。
fail()
调用返回原始承诺,在您的情况下,意味着原始错误正好落空。您可以改用.catch()
,但请注意chaining .then(…).catch(…)
还可以处理 Error-RetrivingDataProblem 。相反,你想要使用
return $.ajax({
url: 'http://' + AppVar.ServerUrlWithPort + '/restapi/CreateOrder',
data: JSON.stringify({
'SessionId': AppVar.SessionId,
'Idrmtreq': id
}),
}).then(function (response) {
if (response.ResultCode === '0') {
return response;
} else {
throw new Error($.i18n('Error-RetrivingDataProblem'));
}
}, function(x, t, m) { /*
^^^ */
throw new Error($.i18n(t === "timeout" ? 'Error-Timeout' : 'Error-ConnError'));
}).catch(function (error) {
ErrorManager.displayError(error);
return;
})