How can I post data as form data instead of a request payload?
Asked Answered
E

21

536

In the code below, the AngularJS $http method calls the URL, and submits the xsrf object as a "Request Payload" (as described in the Chrome debugger network tab). The jQuery $.ajax method does the same call, but submits xsrf as "Form Data".

How can I make AngularJS submit xsrf as form data instead of a request payload?

var url = 'http://somewhere.com/';
var xsrf = {fkey: 'xsrf key'};

$http({
    method: 'POST',
    url: url,
    data: xsrf
}).success(function () {});

$.ajax({
    type: 'POST',
    url: url,
    data: xsrf,
    dataType: 'json',
    success: function() {}
});
Ephesus answered 11/7, 2012 at 22:44 Comment(2)
This was a very useful question. It allows me to send a payload as a string (by changing the Content-Type), which prevents me from having to deal with OPTIONS prior to POST/GET.Column
I have a same question ,it's after i request the url,but I can't get the parameter which i submitVocable
E
623

The following line needs to be added to the $http object that is passed:

headers: {'Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8'}

And the data passed should be converted to a URL-encoded string:

> $.param({fkey: "key"})
'fkey=key'

So you have something like:

$http({
    method: 'POST',
    url: url,
    data: $.param({fkey: "key"}),
    headers: {'Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8'}
})

From: https://groups.google.com/forum/#!msg/angular/5nAedJ1LyO0/4Vj_72EZcDsJ

UPDATE

To use new services added with AngularJS V1.4, see

Ephesus answered 11/7, 2012 at 23:31 Comment(9)
Is there a way for the json > url encoding of the data to happen automatically or to specify this happening for every POST or PUT method?Corncob
+1 @mjibson, For me even passing the headers was not working, until i saw your answer containing this: var xsrf = $.param({fkey: "key"}); Thats stupid, why can't angular do it internally?Undecagon
@Undecagon That doesn't sound like a bad idea. Submit a feature request to the angular folks?Ephesus
To closer follow $.ajax default behavior, charset should also be specified in the content type header - headers: {Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8'}Morph
Note that this requires jquery, as opposed to Angular's minimal implementation. Maybe that's why they didn't implement this the jquery way…?Immunochemistry
Instead of using jQuery's param function, just set the params property on the $http request and it will do what the jQuery.param method does as long as the Content-Type header is 'application/x-www-form-urlencoded' - #18967807Tildatilde
@Tildatilde Yes, it will do what jQuery.param does, but, if you use the params property your properties will be encoded as part of the request URL instead of in the body - even if you have specified the application/x-www-form-urlencoded header.Danyel
@mjibson: I tried the same, and send two list to the server. data:$.param({"aList":aList},{"bList":bList}), where aList and bList are javascript arrays. But, in request payload I am seeing aList:[object Object] aList has only one object in it, and I need to send two list to server, each contains some number of objectsSpurt
As of 2016 it is possible to do it as described here: docs.angularjs.org/api/ng/service/$httpParamSerializerJQLikeAllina
J
194

If you do not want to use jQuery in the solution you could try this. Solution nabbed from here https://mcmap.net/q/40817/-query-string-encoding-of-a-javascript-object

$http({
    method: 'POST',
    url: url,
    headers: {'Content-Type': 'application/x-www-form-urlencoded'},
    transformRequest: function(obj) {
        var str = [];
        for(var p in obj)
        str.push(encodeURIComponent(p) + "=" + encodeURIComponent(obj[p]));
        return str.join("&");
    },
    data: xsrf
}).success(function () {});
Jugum answered 14/2, 2013 at 6:4 Comment(5)
This method works for me in angular 1.2.x, and I think it is the best answer because it is elegant, it works in core angular and does not depend on any external libraries like jQuery.Balmy
I came across a problem when using this method inside of a $resource action. The form data was also including functions for $get, $save, etc. The solution was to alter the for statement a little to use angular.forEach instead.Jugum
Note that in contrast to $.param() this method does not work recursively on arrays/objects.Tellford
I'd check that obj[p] is not null or undefined. Otherwise you'll end up sending "null" or "undefined" string as the value.Wycoff
I did not understand transformRequest: function(obj) As obj is undefined, Do we suppose to pass the xsrf? Like transformRequest: function(xsrf)Cowan
S
83

I took a few of the other answers and made something a bit cleaner, put this .config() call on the end of your angular.module in your app.js:

.config(['$httpProvider', function ($httpProvider) {
  // Intercept POST requests, convert to standard form encoding
  $httpProvider.defaults.headers.post["Content-Type"] = "application/x-www-form-urlencoded";
  $httpProvider.defaults.transformRequest.unshift(function (data, headersGetter) {
    var key, result = [];

    if (typeof data === "string")
      return data;

    for (key in data) {
      if (data.hasOwnProperty(key))
        result.push(encodeURIComponent(key) + "=" + encodeURIComponent(data[key]));
    }
    return result.join("&");
  });
}]);
Shornick answered 28/10, 2013 at 11:39 Comment(7)
Works like a charm - even if appended to a resource definition.Oza
Also took care to use unshift() so the other transformations remain undisturbed. Good work.Alfieri
perfect! worked fine for me! sad angular is not natively supporting this.Psycholinguistics
This answer should be the right one at the top, the others are wrong, thanks mate!!Republicanize
How about recursive encoding?Cascara
FYI this breaks in IE9Smack
Works only if all your POSTs must be URL-encoded. In lot of applications, you post only the login data in this form, and other POSTs are in Json. Just be aware of the implications... :-)Honey
A
58

As of AngularJS v1.4.0, there is a built-in $httpParamSerializer service that converts any object to a part of a HTTP request according to the rules that are listed on the docs page.

It can be used like this:

$http.post('http://example.com', $httpParamSerializer(formDataObj)).
    success(function(data){/* response status 200-299 */}).
    error(function(data){/* response status 400-999 */});

Remember that for a correct form post, the Content-Type header must be changed. To do this globally for all POST requests, this code (taken from Albireo's half-answer) can be used:

$http.defaults.headers.post["Content-Type"] = "application/x-www-form-urlencoded";

To do this only for the current post, the headers property of the request-object needs to be modified:

var req = {
 method: 'POST',
 url: 'http://example.com',
 headers: {
   'Content-Type': 'application/x-www-form-urlencoded'
 },
 data: $httpParamSerializer(formDataObj)
};

$http(req);
Ashtoreth answered 1/6, 2015 at 19:57 Comment(2)
How can we do the same on a custom $resource factory ?Cautious
Note: I upgrade an app from Angular 1.3 to 1.5. It changed the headers in the transformRequest. For some reason, the method above doesn't work for me, Angular adds double quotes around the URL-encoded string. Solved with transformRequest: $httpParamSerializer, data: formDataObj. Thanks for the solution.Honey
O
24

You can define the behavior globally:

$http.defaults.headers.post["Content-Type"] = "application/x-www-form-urlencoded";

So you don't have to redefine it every time:

$http.post("/handle/post", {
    foo: "FOO",
    bar: "BAR"
}).success(function (data, status, headers, config) {
    // TODO
}).error(function (data, status, headers, config) {
    // TODO
});
Ocarina answered 21/11, 2012 at 9:32 Comment(2)
Your example is so wrong... All that you're modifying is the header. The data themselves will still be JSON-encoded, and unreadable by older servers that cannot read JSON.Subcutaneous
victorblog.com/2012/12/20/… -- here is a good example where you override the $http default header, as well as convert the object to serialized form data.Rumpf
G
20

As a workaround you can simply make the code receiving the POST respond to application/json data. For PHP I added the code below, allowing me to POST to it in either form-encoded or JSON.

//handles JSON posted arguments and stuffs them into $_POST
//angular's $http makes JSON posts (not normal "form encoded")
$content_type_args = explode(';', $_SERVER['CONTENT_TYPE']); //parse content_type string
if ($content_type_args[0] == 'application/json')
  $_POST = json_decode(file_get_contents('php://input'),true);

//now continue to reference $_POST vars as usual
Glockenspiel answered 8/11, 2013 at 22:57 Comment(1)
this is one of the good example of server side fix, Because the real problem on this issue is on the server side API.. bravoChomp
P
16

These answers look like insane overkill, sometimes, simple is just better:

$http.post(loginUrl, "userName=" + encodeURIComponent(email) +
                     "&password=" + encodeURIComponent(password) +
                     "&grant_type=password"
).success(function (data) {
//...
Pneumatograph answered 24/3, 2015 at 9:19 Comment(1)
For me, I still had to specify the header Content-Type and set it to application/x-www-form-urlencoded.Bish
M
9

You can try with below solution

$http({
        method: 'POST',
        url: url-post,
        data: data-post-object-json,
        headers: {'Content-Type': 'application/x-www-form-urlencoded'},
        transformRequest: function(obj) {
            var str = [];
            for (var key in obj) {
                if (obj[key] instanceof Array) {
                    for(var idx in obj[key]){
                        var subObj = obj[key][idx];
                        for(var subKey in subObj){
                            str.push(encodeURIComponent(key) + "[" + idx + "][" + encodeURIComponent(subKey) + "]=" + encodeURIComponent(subObj[subKey]));
                        }
                    }
                }
                else {
                    str.push(encodeURIComponent(key) + "=" + encodeURIComponent(obj[key]));
                }
            }
            return str.join("&");
        }
    }).success(function(response) {
          /* Do something */
        });
Menthol answered 9/10, 2013 at 11:0 Comment(0)
C
8

Create an adapter service for post:

services.service('Http', function ($http) {

    var self = this

    this.post = function (url, data) {
        return $http({
            method: 'POST',
            url: url,
            data: $.param(data),
            headers: {'Content-Type': 'application/x-www-form-urlencoded'}
        })
    }

}) 

Use it in your controllers or whatever:

ctrls.controller('PersonCtrl', function (Http /* our service */) {
    var self = this
    self.user = {name: "Ozgur", eMail: null}

    self.register = function () {
        Http.post('/user/register', self.user).then(function (r) {
            //response
            console.log(r)
        })
    }

})
Comptom answered 16/5, 2016 at 23:41 Comment(1)
$.param only in jquery abi. jsfiddle.net/4n9fao9q/27 $httpParamSerializer is Angularjs equivalent.Nuncia
W
7

There is a really nice tutorial that goes over this and other related stuff - Submitting AJAX Forms: The AngularJS Way.

Basically, you need to set the header of the POST request to indicate that you are sending form data as a URL encoded string, and set the data to be sent the same format

$http({
  method  : 'POST',
  url     : 'url',
  data    : $.param(xsrf),  // pass in data as strings
  headers : { 'Content-Type': 'application/x-www-form-urlencoded' }  // set the headers so angular passing info as form data (not request payload)
});

Note that jQuery's param() helper function is used here for serialising the data into a string, but you can do this manually as well if not using jQuery.

Woodrowwoodruff answered 2/7, 2014 at 12:33 Comment(2)
The moderators simply deleted my previous answer because I didn't provide details of the actually implementation mentioned in the link. It would have been better if they had instead asked me first to provide further details, instead of deleting it, as I was already editing my answer to provide the details as seen in this answer!Woodrowwoodruff
The $.param do the magic. perfect solution for who has jQuery+AngularJS based app.Technician
E
7
var fd = new FormData();
    fd.append('file', file);
    $http.post(uploadUrl, fd, {
        transformRequest: angular.identity,
        headers: {'Content-Type': undefined}
    })
    .success(function(){
    })
    .error(function(){
    });

Please checkout! https://uncorkedstudios.com/blog/multipartformdata-file-upload-with-angularjs

Eirene answered 29/4, 2015 at 10:14 Comment(1)
It's valid up to date.Footmark
C
4

For Symfony2 users:

If you don't want to change anything in your javascript for this to work you can do these modifications in you symfony app:

Create a class that extends Symfony\Component\HttpFoundation\Request class:

<?php

namespace Acme\Test\MyRequest;

use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\ParameterBag;

class MyRequest extends Request{


/**
* Override and extend the createFromGlobals function.
* 
* 
*
* @return Request A new request
*
* @api
*/
public static function createFromGlobals()
{
  // Get what we would get from the parent
  $request = parent::createFromGlobals();

  // Add the handling for 'application/json' content type.
  if(0 === strpos($request->headers->get('CONTENT_TYPE'), 'application/json')){

    // The json is in the content
    $cont = $request->getContent();

    $json = json_decode($cont);

    // ParameterBag must be an Array.
    if(is_object($json)) {
      $json = (array) $json;
  }
  $request->request = new ParameterBag($json);

}

return $request;

}

}

Now use you class in app_dev.php (or any index file that you use)

// web/app_dev.php

$kernel = new AppKernel('dev', true);
// $kernel->loadClassCache();
$request = ForumBundleRequest::createFromGlobals();

// use your class instead
// $request = Request::createFromGlobals();
$response = $kernel->handle($request);
$response->send();
$kernel->terminate($request, $response);
Chaplin answered 5/11, 2013 at 9:29 Comment(1)
this was really usefull to me, the new createFromGlobals is working now perfectly. I don't know why you got a downvote, but I removed it.Patroon
L
3

Just set Content-Type is not enough, url encode form data before send. $http.post(url, jQuery.param(data))

Longwood answered 1/10, 2013 at 6:32 Comment(0)
A
3

I'm currently using the following solution I found in the AngularJS google group.

$http
.post('/echo/json/', 'json=' + encodeURIComponent(angular.toJson(data)), {
    headers: {
        'Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8'
    }
}).success(function(data) {
    $scope.data = data;
});

Note that if you're using PHP, you'll need to use something like Symfony 2 HTTP component's Request::createFromGlobals() to read this, as $_POST won't automatically loaded with it.

Alfieri answered 15/10, 2013 at 23:2 Comment(0)
F
2

AngularJS is doing it right as it doing the following content-type inside the http-request header:

Content-Type: application/json

If you are going with php like me, or even with Symfony2 you can simply extend your server compatibility for the json standard like described here: http://silex.sensiolabs.org/doc/cookbook/json_request_body.html

The Symfony2 way (e.g. inside your DefaultController):

$request = $this->getRequest();
if (0 === strpos($request->headers->get('Content-Type'), 'application/json')) {
    $data = json_decode($request->getContent(), true);
    $request->request->replace(is_array($data) ? $data : array());
}
var_dump($request->request->all());

The advantage would be, that you dont need to use jQuery param and you could use AngularJS its native way of doing such requests.

Formless answered 22/7, 2013 at 10:27 Comment(0)
A
2

Complete answer (since angular 1.4). You need to include de dependency $httpParamSerializer

var res = $resource(serverUrl + 'Token', { }, {
                save: { method: 'POST', headers: { 'Content-Type': 'application/x-www-form-urlencoded' } }
            });

            res.save({ }, $httpParamSerializer({ param1: 'sdsd', param2: 'sdsd' }), function (response) {

            }, function (error) { 

            });
Aloin answered 20/11, 2015 at 21:46 Comment(0)
S
1

In your app config -

$httpProvider.defaults.transformRequest = function (data) {
        if (data === undefined)
            return data;
        var clonedData = $.extend(true, {}, data);
        for (var property in clonedData)
            if (property.substr(0, 1) == '$')
                delete clonedData[property];

        return $.param(clonedData);
    };

With your resource request -

 headers: {
                'Content-Type': 'application/x-www-form-urlencoded'
            }
Sard answered 14/6, 2015 at 17:46 Comment(0)
L
0

This isn't a direct answer, but rather a slightly different design direction:

Do not post the data as a form, but as a JSON object to be directly mapped to server-side object, or use REST style path variable

Now I know neither option might be suitable in your case since you're trying to pass a XSRF key. Mapping it into a path variable like this is a terrible design:

http://www.someexample.com/xsrf/{xsrfKey}

Because by nature you would want to pass xsrf key to other path too, /login, /book-appointment etc. and you don't want to mess your pretty URL

Interestingly adding it as an object field isn't appropriate either, because now on each of json object you pass to server you have to add the field

{
  appointmentId : 23,
  name : 'Joe Citizen',
  xsrf : '...'
}

You certainly don't want to add another field on your server-side class which does not have a direct semantic association with the domain object.

In my opinion the best way to pass your xsrf key is via a HTTP header. Many xsrf protection server-side web framework library support this. For example in Java Spring, you can pass it using X-CSRF-TOKEN header.

Angular's excellent capability of binding JS object to UI object means we can get rid of the practice of posting form all together, and post JSON instead. JSON can be easily de-serialized into server-side object and support complex data structures such as map, arrays, nested objects, etc.

How do you post array in a form payload? Maybe like this:

shopLocation=downtown&daysOpen=Monday&daysOpen=Tuesday&daysOpen=Wednesday

or this:

shopLocation=downtwon&daysOpen=Monday,Tuesday,Wednesday

Both are poor design..

Lumberyard answered 26/2, 2015 at 11:37 Comment(0)
S
0

This is what I am doing for my need, Where I need to send the login data to API as form data and the Javascript Object(userData) is getting converted automatically to URL encoded data

        var deferred = $q.defer();
        $http({
            method: 'POST',
            url: apiserver + '/authenticate',
            headers: { 'Content-Type': 'application/x-www-form-urlencoded' },
            transformRequest: function (obj) {
                var str = [];
                for (var p in obj)
                    str.push(encodeURIComponent(p) + "=" + encodeURIComponent(obj[p]));
                return str.join("&");
            },
            data: userData
        }).success(function (response) {
            //logics
            deferred.resolve(response);
        }).error(function (err, status) {
           deferred.reject(err);
        });

This how my Userdata is

var userData = {
                grant_type: 'password',
                username: loginData.userName,
                password: loginData.password
            }
Stylopodium answered 25/6, 2018 at 7:56 Comment(0)
T
-1

The only thin you have to change is to use property "params" rather than "data" when you create your $http object:

$http({
   method: 'POST',
   url: serviceUrl + '/ClientUpdate',
   params: { LangUserId: userId, clientJSON: clients[i] },
})

In the example above clients[i] is just JSON object (not serialized in any way). If you use "params" rather than "data" angular will serialize the object for you using $httpParamSerializer: https://docs.angularjs.org/api/ng/service/$httpParamSerializer

Tybie answered 13/7, 2015 at 16:5 Comment(1)
By using params instead of data, Angular places the data in the URL parameters instead of the request body. This is not what's expected from a form post.Impart
D
-3

Use AngularJS $http service and use its post method or configure $http function.

Darrick answered 30/12, 2014 at 9:28 Comment(0)

© 2022 - 2024 — McMap. All rights reserved.