2014/11/12

Question:
使用 AngularJS 的 $http.post('url', {foo: 'foo'}) 時,某些後端語言無法正確抓到傳輸的參數(如本範例的 'foo' )。

Solve:
導致此問題的原因為:AngularJS 的 $http.post 預設是以 Content-Type: application/json 的方式傳輸附加的參數(Jquery.post 則是以 Content-Type: x-www-form-urlencoded 方式傳輸),而某些後端語言(如:php)無法解析這樣的資料,因此我們可以使用下列方式在 $http.post 傳輸資料出去之前,改將資料序列化為 foo=bar&baz=moe 的格式 並設定 Content-Type: x-www-form-urlencoded 即可。

// Your app's root module...
angular.module('MyModule', [], function($httpProvider) {
  // Use x-www-form-urlencoded Content-Type
  $httpProvider.defaults.headers.post['Content-Type'] = 'application/x-www-form-urlencoded;charset=utf-8';

  /**
   * The workhorse; converts an object to x-www-form-urlencoded serialization.
   * @param {Object} obj
   * @return {String}
   */
  var param = function(obj) {
    var query = '', name, value, fullSubName, subName, subValue, innerObj, i;

    for(name in obj) {
      value = obj[name];

      if(value instanceof Array) {
        for(i=0; i<value.length; ++i) {
          subValue = value[i];
          fullSubName = name + '[' + i + ']';
          innerObj = {};
          innerObj[fullSubName] = subValue;
          query += param(innerObj) + '&';
        }
      }
      else if(value instanceof Object) {
        for(subName in value) {
          subValue = value[subName];
          fullSubName = name + '[' + subName + ']';
          innerObj = {};
          innerObj[fullSubName] = subValue;
          query += param(innerObj) + '&';
        }
      }
      else if(value !== undefined && value !== null)
        query += encodeURIComponent(name) + '=' + encodeURIComponent(value) + '&';
    }

    return query.length ? query.substr(0, query.length - 1) : query;
  };

  // Override $http service's default transformRequest
  $httpProvider.defaults.transformRequest = [function(data) {
    return angular.isObject(data) && String(data) !== '[object File]' ? param(data) : data;
  }];
});

資料來源:http://stackoverflow.com/questions/19254029/angularjs-http-post-does-not-send-data