The W3C spec suggest following implementation: Some simple code to do something with data from an XML document fetched over the network:
function processData(data) {
// taking care of data
}
function handler() {
if(this.readyState == this.DONE) {
if(this.status == 200 &&
this.responseXML != null &&
this.responseXML.getElementById('test').textContent) {
// success!
processData(this.responseXML.getElementById('test').textContent);
return;
}
// something went wrong
processData(null);
}
}
var client = new XMLHttpRequest();
client.onreadystatechange = handler;
client.open("GET", "unicorn.xml");
client.send();
Is this implementation really correct?
During debug I found cases when the readystatechanged event handler is called more than once in a row with the same value of readyState == 4. I guess this behavior is correct, as specs says that each change of state must fire the event, and that readyState must always be equal to current state, so if several events pile up in the events queue, it's quite obvious, that one will get multiple calls with readyState == 4.
http://jsfiddle.net/44b3P/ -- this is the above example augmented with debugger call to pause execution just after the request is send, and with alert() in the processData. Once you unpause the execution you will get 3 alerts.
This example from w3c seems to be copy&pasted in multiple places in the web -- in particular OpenSocial seems to handle xhr events this way. Is it correct?
The onreadystatechange event is triggered four times (1-4), one time for each change in the readyState.
XMLHttpRequest. onreadystatechange onreadystatechange property contains the event handler to be called when the readystatechange event is fired, that is every time the readyState property of the XMLHttpRequest changes.
A readystatechange occurs several times in the life of a request as it progresses to different phases, but a load event only occurs when the request has successfully completed. If you're not interested in detecting intermediate states or errors, then onload might be a good choice.
I also saw the same behavior (DONE 200 being hit more than once, i.e. 2...n times) when debugging in Chrome Developer Tools.
To make it work always in debug mode as well, I found two options:
Use onload
to verify the success of an XMLHTMLRequest W3C Spec
client.onload = handler;
This version will not work in IE8. It must be a browser that implements the XMLHttpRequestEventTarget interface
Remove the onreadystatechange
handler as soon as you have a DONE 200
state.
client.onreadystatechange = function() {
// check if request is complete
if (this.readyState == this.DONE) {
if (this.onreadystatechange) {
client.onreadystatechange = null;
handler();
}
}
};
I have also opened an issue in Chromium for this problem, providing your Fiddle (Thanks!)
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With