AngularJS - Any way for $http.post to send request parameters instead of JSON? AngularJS - Any way for $http.post to send request parameters instead of JSON? angularjs angularjs

AngularJS - Any way for $http.post to send request parameters instead of JSON?


I think the params config parameter won't work here since it adds the string to the url instead of the body but to add to what Infeligo suggested here is an example of the global override of a default transform (using jQuery param as an example to convert the data to param string).

Set up global transformRequest function:

var app = angular.module('myApp');app.config(function ($httpProvider) {    $httpProvider.defaults.transformRequest = function(data){        if (data === undefined) {            return data;        }        return $.param(data);    }});

That way all calls to $http.post will automatically transform the body to the same param format used by the jQuery $.post call.

Note you may also want to set the Content-Type header per call or globally like this:

$httpProvider.defaults.headers.post['Content-Type'] = 'application/x-www-form-urlencoded; charset=UTF-8';

Sample non-global transformRequest per call:

    var transform = function(data){        return $.param(data);    }    $http.post("/foo/bar", requestData, {        headers: { 'Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8'},        transformRequest: transform    }).success(function(responseData) {        //do stuff with response    });


If using Angular >= 1.4, here's the cleanest solution I've found that doesn't rely on anything custom or external:

angular.module('yourModule')  .config(function ($httpProvider, $httpParamSerializerJQLikeProvider){    $httpProvider.defaults.transformRequest.unshift($httpParamSerializerJQLikeProvider.$get());    $httpProvider.defaults.headers.post['Content-Type'] = 'application/x-www-form-urlencoded; charset=utf-8';});

And then you can do this anywhere in your app:

$http({  method: 'POST',  url: '/requesturl',  data: {    param1: 'value1',    param2: 'value2'  }});

And it will correctly serialize the data as param1=value1&param2=value2 and send it to /requesturl with the application/x-www-form-urlencoded; charset=utf-8 Content-Type header as it's normally expected with POST requests on endpoints.


From AngularJS documentation:

params – {Object.} – Map of strings or objects which will be turned to ?key1=value1&key2=value2 after the url. If the value is not a string, it will be JSONified.

So, provide string as parameters. If you don't want that, then use transformations. Again, from the documentation:

To override these transformation locally, specify transform functions as transformRequest and/or transformResponse properties of the config object. To globally override the default transforms, override the $httpProvider.defaults.transformRequest and $httpProvider.defaults.transformResponse properties of the $httpProvider.

Refer to documentation for more details.