设置XMLHttpRequest的代理以编辑表单数据

时间:2018-11-20 18:30:39

标签: javascript google-chrome

如何编辑来自客户端的所有POST请求?我的研究表明,使用XMLHttpRequest上的proxy object应该有可能。我如何检查POST请求并编辑表单数据,然后再将其发送到服务器?

我尝试过this方法,但是通过发送的数据只是响应。

var _XMLHttpRequest = XMLHttpRequest;
XMLHttpRequest = function() {
    var xhr = new _XMLHttpRequest();

    // augment/wrap/modify here
    var _open = xhr.open;
    xhr.open = function() {
        // custom stuff
        return _open.apply(this, arguments);
    }

    return xhr;
}

1 个答案:

答案 0 :(得分:1)

这里有一个IIFE,它重载了XMLHttpRequest原型方法,使您可以截取和修改正在发送的数据。我让你来整理解析数据

(function(xhr) {
  var
    proto = xhr.prototype,
    _send = proto.send,
    _open = proto.open;
  
  // overload open() to access url and request method
  proto.open = function() {
    // store type and url to use in other methods
    this._method = arguments[0];
    this._url = arguments[1];
    _open.apply(this, arguments);
  }
  
  // overload send to intercept data and modify
  proto.send = function() {
   // using properties stored in open()
    if (this._method.toLowerCase() === 'post') {
      console.log('USERS DATA :: ', arguments[0]);
      console.log('URL :: ', this._url);
      
      // modify data to send
      arguments[0] = 'item=beer&id=3';
    }
    _send.apply(this, arguments);
  }

})(XMLHttpRequest);

// use jQuery ajax to demonstrate
$.post('http://httpbin.org/post', { item: 'test',  id: 2})
      .then(data => console.log('RESPONSE ::', data.form))
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>