backbone.js や angularjs や vue.jsなど、クライアントサイトMVCでhttp リクエスト時にイベントを取得したい

通常のWEBサイトであればhttp通信は1回だけなのでonloadで大丈夫ですが、
backbone.js や angularjs や vue.jsなど、クライアントサイトMVCでは非同期でhttp通信が走る為、
例えばクライアントサイトだけで、セッションのタイムアウトなどを検知するのが難しいです。

そういったイベントはないようなので、この場合XMLHttpRequestのcallbackをフックして関数を登録します。
jQueryでajaxCompleteを使うのも手なのですが、$.ajax使ってない場合もあるので、こちらを使ってみました。

function addXMLRequestCallback(callback){
    var oldSend, i;
    if( XMLHttpRequest.callbacks ) {
        // we've already overridden send() so just add the callback
        XMLHttpRequest.callbacks.push( callback );
    } else {
        // create a callback queue
        XMLHttpRequest.callbacks = [callback];
        // store the native send()
        oldSend = XMLHttpRequest.prototype.send;
        // override the native send()
        XMLHttpRequest.prototype.send = function(){
            // process the callback queue
            // the xhr instance is passed into each callback but seems pretty useless
            // you can't tell what its destination is or call abort() without an error
            // so only really good for logging that a request has happened
            // I could be wrong, I hope so...
            // EDIT: I suppose you could override the onreadystatechange handler though
            for( i = 0; i < XMLHttpRequest.callbacks.length; i++ ) {
                XMLHttpRequest.callbacks[i]( this );
            }
            // call the native send()
            oldSend.apply(this, arguments);
        }
    }
}

// e.g.
addXMLRequestCallback( function( xhr ) {
    console.log( xhr.responseText ); // (an empty string)
});
addXMLRequestCallback( function( xhr ) {
    console.dir( xhr ); // have a look if there is anything useful here
});
  • ajaxCompleteの場合はこんな感じ
$(function(){
  $(document).ajaxComplete(function() {
    console.log('ajax通信が発生したよ');
  });
})