我想将$.ajax().done()
包装在单独的类中,该类包括针对架构验证JSON响应。
一个样本调用可能看起来像这样:
myService.get("/api/people").done(function(people) {
// at this point I'm certain the data in people is valid
template.render(people);
}).catch(function() {
// this happens if validation of people failed, even if the request itself was successfull
console.log("empty json or validation failed");
});
成功回调函数是在
done()
中传递的,但是只有在私有函数(_validate(data, schema))
返回true时,才应执行。不太优雅的版本可能如下所示:myService.get("api/people", successCallback, errorCallback);
我想直接公开
$.ajax()
的内部Deferred方法。这可能吗? 最佳答案
您无需更改Promises
。您可以使用then
分层承诺。
function _validate(data, schema) {
return false;
}
var myService = {
get: function (data) {
return $.ajax(data).then(function (reply) {
if (_validate(reply, schema)) {
return reply;
} else {
// works if your library is Promises/A+ compliant (jQuery is not)
throw new Error("data is not valid JSON"); // causes the promise to fail
/*// else do:
var d = new $.Deferred();
d.reject("data is not valid JSON");
return d.promise();*/
}
});
}
}
myService.get("foo").done(function () { /* success */ }).fail(function () { /*failed */ });
关于javascript - 在jQuery的Promise对象中扩展done(),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30623610/