Reputation: 8374
I am changing my scripts to jquery at the moment. This is my old javascript:
var request = (window.XMLHttpRequest) ? new XMLHttpRequest() : (window.ActiveXObject ? new window.ActiveXObject("Microsoft.XMLHTTP") : false);
request.open("GET", url, true);
request.onreadystatechange = updatePage;
request.send(null);
function updatePage() {
if (request.readyState == 4) {
if (request.status == 200) {
var response = request.responseText;
doSomething();
} else if (request.status == 304) {
doSomethingElse();
} else {
}
}
}
I now want to change this to jquery-ajax:
request = $.ajax({
type: "GET",
url: url,
data: data,
success: updatePage
});
How can I test for the status code (and the responseText) returned by the request, like I did in my old script?
Upvotes: 6
Views: 27258
Reputation: 15338
try this:
request = $.ajax({
type: "GET",
url: url,
data: data,
statusCode: {
200: function() {
doSomething();
},
304:function(){
doSomethingElse();
}
}
});
or:
request = $.ajax({
type: "GET",
url: url,
data: data,
complete: function(e, xhr, settings){
if(e.status === 200){
}else if(e.status === 304){
}else{
}
}
});
Upvotes: 21
Reputation: 2133
You need to just bind this request to an event like button click or something Like
$('#btn').click({function(){
$.ajax({
type: "GET",
url: url,
data: data,
success: updatePage
});
});
You dont need to really keep this request against a variable as jQuery ajax has a success callback which will help you to execute post success code
Upvotes: 1