做者zeke
不少ng的初学者都有这样的困惑:为何$http的service例如$http.post(),明明与jQuery的$.post()方法相似,却不能够直接换用,例如:json
(function($) { jQuery.post('/endpoint', { foo: 'bar' }).success(function(response) { // ... }); })(jQuery);
这样的代码在ng中并不会正常运行。后端
var MainCtrl = function($scope, $http) { $http.post('/endpoint', { foo: 'bar' }).success(function(response) { // ... }); };
你会发现你的服务器并未收到{ foo: 'bar' } 的参数服务器
这个区别在于jQuery和ng在传输data时是否对其序列化。根本缘由在于你的服务器没法解读ng传递过来的原始数据。jQ默认使用Content-Type: x-www-form-urlencoded 将data转码为foo=bar&baz=moe 的形式。ng则是Content-Type: application/json 来发送{ "foo": "bar", "baz": "moe" } 的JSON串,这使得服务器端(尤为是PHP)没法解读这样的数据。app
好在周到的ng开发者们提供了$http的hooks使得咱们能够强制以 x-www-form-urlencoded 发送数据,关于这点不少人提供了解决办法,但都不太理想,由于你不得不去修改你的服务器代码或者$http的代码。介于此,我给出了多是最优的解决方案,先后端的代码均无需修改:ide
// 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; }]; });
不要使用jQuery.param()代替上面的param()方法,它将会形成ng的$resource方法没法使用。post