339

谁能告诉我为什么下面的语句没有将帖子数据发送到指定的url?当我打印 $_POST 时,该 url 被调用但在服务器上 - 我得到一个空数组。如果我在将消息添加到数据之前在控制台中打印消息 - 它会显示正确的内容。

$http.post('request-url',  { 'message' : message });

我也尝试过将数据作为字符串(结果相同):

$http.post('request-url',  "message=" + message);

当我以以下格式使用它时,它似乎正在工作:

$http({
    method: 'POST',
    url: 'request-url',
    data: "message=" + message,
    headers: {'Content-Type': 'application/x-www-form-urlencoded'}
});

但是有没有办法用 $http.post() 来做 - 我是否总是必须包含标题才能让它工作?我相信上述内容类型是指定发送数据的格式,但我可以将它作为 javascript 对象发送吗?

4

37 回答 37

346

我在使用 asp.net MVC 时遇到了同样的问题,并在这里找到了解决方案

AngularJS的新手对于为什么 $http服务速记函数($http.post()等)似乎不能与jQuery等效函数(等)交换存在很多困惑jQuery.post()

区别在于jQueryAngularJS如何序列化和传输数据。从根本上说,问题在于您选择的服务器语言无法原生地理解 AngularJS 的传输......默认情况下,jQuery使用

Content-Type: x-www-form-urlencoded

和熟悉的foo=bar&baz=moe序列化。

然而,AngularJS使用

Content-Type: application/json 

{ "foo": "bar", "baz": "moe" }

JSON 序列化,不幸的是,某些 Web 服务器语言(尤其是 PHP)不能在本机反序列化。

奇迹般有效。

代码

// 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;
  }];
});
于 2013-11-29T00:45:39.477 回答
116

上面不是很清楚,但是如果您在 PHP 中接收请求,则可以使用:

$params = json_decode(file_get_contents('php://input'),true);

从 AngularJS POST 访问 PHP 中的数组。

于 2014-10-27T16:35:57.080 回答
78

您可以像这样设置默认的“Content-Type”:

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

关于data格式:

$http.post 和 $http.put 方法接受任何 JavaScript 对象(或字符串)值作为它们的数据参数。如果 data 是 JavaScript 对象,默认情况下,它将被转换为 JSON 字符串。

尝试使用这种变体

function sendData($scope) {
    $http({
        url: 'request-url',
        method: "POST",
        data: { 'message' : message }
    })
    .then(function(response) {
            // success
    }, 
    function(response) { // optional
            // failed
    });
}
于 2013-10-08T17:14:48.053 回答
62

我有一个类似的问题,我想知道这是否也有用:https ://stackoverflow.com/a/11443066

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

问候,

于 2014-05-31T03:54:10.597 回答
34

我喜欢使用函数将对象转换为 post 参数。

myobject = {'one':'1','two':'2','three':'3'}

Object.toparams = function ObjecttoParams(obj) {
    var p = [];
    for (var key in obj) {
        p.push(key + '=' + encodeURIComponent(obj[key]));
    }
    return p.join('&');
};

$http({
    method: 'POST',
    url: url,
    data: Object.toparams(myobject),
    headers: {'Content-Type': 'application/x-www-form-urlencoded'}
})
于 2014-08-29T14:10:59.420 回答
30

这终于在 Angular 1.4 中使用$httpParamSerializerJQLike 解决了

https://github.com/angular/angular.js/issues/6039

.controller('myCtrl', function($http, $httpParamSerializerJQLike) {
$http({
  method: 'POST',
  url: baseUrl,
  data: $httpParamSerializerJQLike({
    "user":{
      "email":"wahxxx@gmail.com",
      "password":"123456"
    }
  }),
  headers:
    'Content-Type': 'application/x-www-form-urlencoded'
})})
于 2015-09-10T16:25:33.340 回答
19

我将jQuery 参数AngularJS 发布请求一起使用。这是一个示例...创建 AngularJS 应用程序模块,在您的 HTML 代码myapp中定义。ng-app

var app = angular.module('myapp', []);

现在让我们创建一个登录控制器并 POST 电子邮件和密码。

app.controller('LoginController', ['$scope', '$http', function ($scope, $http) {
    // default post header
    $http.defaults.headers.post['Content-Type'] = 'application/x-www-form-urlencoded;charset=utf-8';
    // send login data
    $http({
        method: 'POST',
        url: 'https://example.com/user/login',
        data: $.param({
            email: $scope.email,
            password: $scope.password
        }),
        headers: {'Content-Type': 'application/x-www-form-urlencoded'}
    }).success(function (data, status, headers, config) {
        // handle success things
    }).error(function (data, status, headers, config) {
        // handle error things
    });
}]);

我不喜欢解释代码,它很容易理解:) 请注意,param它来自 jQuery,因此您必须同时安装 jQuery 和 AngularJS 才能使其正常工作。这是一个屏幕截图。

在此处输入图像描述

希望这会有所帮助。谢谢!

于 2015-07-17T12:18:57.927 回答
10

与 JQuery 不同,为了迂腐,Angular 使用 JSON 格式从客户端到服务器的 POST 数据传输(JQuery 大概应用 x-www-form-urlencoded,尽管 JQuery 和 Angular 使用 JSON 进行数据输入)。因此有两个部分的问题:在 js 客户端部分和您的服务器部分。所以你需要:

  1. 像这样放置 js Angular 客户端部分:

    $http({
    method: 'POST',
    url: 'request-url',
    data: {'message': 'Hello world'}
    });
    

  1. 在您的服务器部分写入以接收来自客户端的数据(如果它是 php)。

            $data               = file_get_contents("php://input");
            $dataJsonDecode     = json_decode($data);
            $message            = $dataJsonDecode->message;
            echo $message;     //'Hello world'
    

注意:$_POST 不起作用!

该解决方案对我来说很好,希望对你有用。

于 2015-04-18T02:31:05.793 回答
10

我对 AngularJS 和 Node.js + Express 4 + 路由器有同样的问题

路由器期望来自 post 请求的数据在正文中。如果我遵循 Angular Docs 中的示例,此正文始终为空

符号 1

$http.post('/someUrl', {msg:'hello word!'})

但是如果我在数据中使用它

符号 2

$http({
       withCredentials: false,
       method: 'post',
       url: yourUrl,
       headers: {'Content-Type': 'application/x-www-form-urlencoded'},
       data: postData
 });

编辑1:

否则,如果使用符号 1,node.js 路由器将期望 req.body 中的数据:

req.body.msg

它还将信息作为 JSON 有效负载发送。在某些情况下,这会更好,因为您的 json 中有数组并且 x-www-form-urlencoded 会产生一些问题。

有效。希望能帮助到你。

于 2014-10-11T19:13:20.237 回答
8

以@felipe-miosso 的回答为基础:

  1. 从这里下载它作为 AngularJS 模块,
  2. 安装它
  3. 将其添加到您的应用程序中:

    var app = angular.module('my_app', [ ... , 'httpPostFix']);
    
于 2014-11-19T20:28:19.577 回答
8

要使用 angularjs 通过 Post 方法发送数据$http,您需要更改

data: "message=" + message, 和 data: $.param({message:message})

于 2015-05-16T10:50:52.577 回答
6

我没有评论的声誉,但作为对唐 F 的回应/补充:

$params = json_decode(file_get_contents('php://input'));

为了正确返回关联数组,true需要将第二个参数添加到函数中:json_decode

$params = json_decode(file_get_contents('php://input'), true);

于 2015-02-21T21:15:59.677 回答
6

  var payload = $.param({ jobId: 2 });

                this.$http({
                    method: 'POST',
                    url: 'web/api/ResourceAction/processfile',
                    data: payload,
                    headers: { 'Content-Type': 'application/x-www-form-urlencoded' }
                });

网络API 2

public class AcceptJobParams
        {
            public int jobId { get; set; }
        }

        public IHttpActionResult ProcessFile([FromBody]AcceptJobParams thing)
        {
            // do something with fileName parameter

            return Ok();
        }
于 2015-07-22T15:07:12.367 回答
6

这段代码为我解决了这个问题。它是一个应用级解决方案:

moduleName.config(['$httpProvider',
  function($httpProvider) {
    $httpProvider.defaults.transformRequest.push(function(data) {
        var requestStr;
        if (data) {
            data = JSON.parse(data);
            for (var key in data) {
                if (requestStr) {
                    requestStr += "&" + key + "=" + data[key];
                } else {
                    requestStr = key + "=" + data[key];
                }
            }
        }
        return requestStr;
    });
    $httpProvider.defaults.headers.post["Content-Type"] = "application/x-www-form-urlencoded";
  }
]);
于 2015-07-27T15:21:55.673 回答
5

将此添加到您的 js 文件中:

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

并将其添加到您的服务器文件中:

$params = json_decode(file_get_contents('php://input'), true);

那应该行得通。

于 2015-12-21T11:45:26.630 回答
4

我也面临类似的问题,我正在做这样的事情,但没有奏效。我的 Spring 控制器无法读取数据参数。

var paramsVal={data:'"id":"1"'};
  $http.post("Request URL",  {params: paramsVal});  

但是阅读这个论坛和 API Doc,我尝试了以下方式,这对我有用。如果有人也有类似的问题,您也可以尝试以下方法。

$http({
      method: 'POST',
      url: "Request URL",           
      params: paramsVal,
      headers: {'Content-Type': 'application/x-www-form-urlencoded;charset=utf-8'}
            });

请检查https://docs.angularjs.org/api/ng/service/ $http#post 了解 param config 的作用。{data:'"id":"1"'} – 将转换为 URL?data="id:1" 的字符串或对象的映射

于 2015-01-22T13:16:19.460 回答
4

这可能是一个迟到的答案,但我认为最合适的方法是在执行“获取”请求时使用相同的代码角度使用,您$httpParamSerializer必须将其注入您的控制器,这样您就可以简单地执行以下操作而不必完全使用 Jquery, $http.post(url,$httpParamSerializer({param:val}))

app.controller('ctrl',function($scope,$http,$httpParamSerializer){
    $http.post(url,$httpParamSerializer({param:val,secondParam:secondVal}));
}
于 2016-05-24T18:20:25.317 回答
4

就我而言,我解决了这样的问题:

var deferred = $q.defer();

$http({
    method: 'POST',
    url: 'myUri', 
    data: $.param({ param1: 'blablabla', param2: JSON.stringify(objJSON) }),
    headers: { 'Content-Type': 'application/x-www-form-urlencoded' }
}).then(
    function(res) {
        console.log('succes !', res.data);
        deferred.resolve(res.data);
    },
    function(err) {
        console.log('error...', err);
        deferred.resolve(err);
    }
);
return deferred.promise;

您需要对包含 JSON 对象的每个参数使用 JSON.stringify,然后使用“$.param”构建您的数据对象 :-)

注意:我的“objJSON”是一个 JSON 对象,包含数组、整数、字符串和 html 内容。他的总大小超过 3500 个字符。

于 2016-07-28T10:29:27.370 回答
3

我知道已经接受了答案。但是,如果答案出于任何原因不适合他们,以下内容可能对未来的读者有所帮助。

Angular 不像 jQuery 那样做 ajax。当我尝试按照指南修改 angular$httpprovider时,我遇到了其他问题。例如,我使用 codeigniter,其中$this->input->is_ajax_request()函数总是失败(由另一个程序员编写并在全局范围内使用,因此无法更改)说这不是真正的 ajax 请求。

为了解决这个问题,我借助了deferred promise。我在 Firefox 和 ie9 中对其进行了测试,并且可以正常工作。

我在任何角度代码之外定义了以下函数。此函数进行常规 jquery ajax 调用并返回延迟/承诺(我仍在学习)对象。

function getjQueryAjax(url, obj){
    return $.ajax({
        type: 'post',
        url: url,
        cache: true,
        data: obj
    });
}

然后我使用以下代码将其称为角度代码。请注意,我们必须$scope手动更新使用$scope.$apply().

    var data = {
        media: "video",
        scope: "movies"
    };
    var rPromise = getjQueryAjax("myController/getMeTypes" , data);
    rPromise.success(function(response){
        console.log(response);
        $scope.$apply(function(){
            $scope.testData = JSON.parse(response);
            console.log($scope.testData);
        });
    }).error(function(){
        console.log("AJAX failed!");
    });

这可能不是完美的答案,但它允许我使用 angular 的 jquery ajax 调用并允许我更新$scope.

于 2014-05-22T01:02:42.193 回答
3

我在 express 中遇到了同样的问题 .. 要解决您必须在发送 http 请求之前使用 bodyparser 解析 json 对象..

app.use(bodyParser.json());
于 2015-05-02T22:05:57.967 回答
3

只需将您要发送的数据作为第二个参数:

$http.post('request-url',  message);

另一种也有效的形式是:

$http.post('request-url',  { params: { paramName: value } });

确保它paramName与您正在调用的函数的参数名称完全匹配。

来源:AngularJS post 快捷方式

于 2016-02-29T12:29:25.387 回答
3

如果使用Angular >= 1.4 ,这是使用Angular 提供的序列化程序的最干净的解决方案:

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';
});

然后您可以在应用程序的任何位置简单地执行此操作:

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

并且它将正确地将数据序列化并使用Content-Type 标头param1=value1&param2=value2将其发送到,正如端点上的 POST 请求通常所期望的那样。/requesturlapplication/x-www-form-urlencoded; charset=utf-8

TL;博士

在我的研究中,我发现这个问题的答案有很多种。有些非常复杂并且依赖于自定义函数,有些依赖于 jQuery,有些则不完整,建议您只需要设置标题。

如果您只是设置Content-Type标头,端点将看到 POST 数据,但它不会是标准格式,因为除非您提供一个字符串作为您的data,或者手动序列化您的数据对象,否则它将全部序列化为 JSON默认值,并且可能在端点被错误地解释。

例如,如果在上面的示例中没有设置正确的序列化程序,它将在端点中被视为:

{"param1":"value1","param2":"value2"}

这可能会导致意外的解析,例如 ASP.NET 将其视为null参数名称,并将其{"param1":"value1","param2":"value2"}视为值;或者 Fiddler 以另一种方式解释它,{"param1":"value1","param2":"value2"}作为参数名称和null值。

于 2016-05-18T09:46:57.207 回答
3

没有找到完整的代码片段,说明如何使用 $http.post 方法将数据发送到服务器以及为什么它在这种情况下不起作用。

以下代码片段的解释...

  1. 我正在使用 jQuery $.param 函数将 JSON 数据序列化为 www post 数据
  2. 在配置变量中设置 Content-Type,该变量将与 angularJS $http.post 的请求一起传递,指示服务器我们正在以 www post 格式发送数据。

  3. 注意 $htttp.post 方法,其中我将第一个参数作为 url 发送,第二个参数作为数据(序列化)发送,第三个参数作为配置发送。

剩下的代码是自己理解的。

$scope.SendData = function () {
           // use $.param jQuery function to serialize data from JSON 
            var data = $.param({
                fName: $scope.firstName,
                lName: $scope.lastName
            });

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

            $http.post('/ServerRequest/PostDataResponse', data, config)
            .success(function (data, status, headers, config) {
                $scope.PostDataResponse = data;
            })
            .error(function (data, status, header, config) {
                $scope.ResponseDetails = "Data: " + data +
                    "<hr />status: " + status +
                    "<hr />headers: " + header +
                    "<hr />config: " + config;
            });
        };

在此处查看 $http.post 方法的代码示例。

于 2015-12-11T03:54:14.463 回答
3

我正在使用带有 angular js 的 asp.net WCF webservices 并且下面的代码有效:

 $http({
        contentType: "application/json; charset=utf-8",//required
        method: "POST",
        url: '../../operation/Service.svc/user_forget',
        dataType: "json",//optional
        data:{ "uid_or_phone": $scope.forgettel, "user_email": $scope.forgetemail },
        async: "isAsync"//optional

       }).success( function (response) {

         $scope.userforgeterror = response.d;                    
       })

希望能帮助到你。

于 2015-07-20T14:39:52.280 回答
3

如果您使用 PHP,这是一种从 AngularJS POST 访问 PHP 数组的简单方法。

$params = json_decode(file_get_contents('php://input'),true);
于 2015-12-11T22:57:42.673 回答
3

类似于 OP 的建议工作格式和丹尼森的答案,除了使用$http.post而不是只是$http并且仍然依赖于 jQuery。

在这里使用 jQuery 的好处是可以正确传递复杂的对象;反对手动转换为可能导致数据乱码的 URL 参数。

$http.post( 'request-url', jQuery.param( { 'message': message } ), {
    headers: { 'Content-Type': 'application/x-www-form-urlencoded' }
});
于 2016-07-24T03:20:15.650 回答
2

当我遇到这个问题时,我发布的参数原来是一个对象数组而不是一个简单的对象。

于 2015-02-09T20:32:11.693 回答
2

刚从angular 1.2更新到1.3,发现代码有问题。转换资源将导致无限循环,因为(我认为) $promise 再次持有同一个对象。也许它会帮助某人......

我可以通过以下方式解决这个问题:

[...]
  /**
 * 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;

angular.forEach(obj, function(value, name) {
+    if(name.indexOf("$promise") != -1) {
+        return;
+    }

    value = obj[name];
    if (value instanceof Array) {
        for (i = 0; i < value.length; ++i) {
[...]
于 2015-05-03T17:31:53.403 回答
2

我一直在使用公认答案的代码(Felipe 的代码)一段时间,并且效果很好(感谢 Felipe!)。

但是,最近我发现它存在空对象或数组的问题。例如,提交此对象时:

{
    A: 1,
    B: {
        a: [ ],
    },
    C: [ ],
    D: "2"
}

PHP 似乎根本看不到 B 和 C。它得到这个:

[
    "A" => "1",
    "B" => "2"
]

查看 Chrome 中的实际请求可以看出:

A: 1
:
D: 2

我写了一个替代代码片段。它似乎适用于我的用例,但我尚未对其进行广泛测试,因此请谨慎使用。

我使用 TypeScript 是因为我喜欢强类型,但它很容易转换为纯 JS:

angular.module("MyModule").config([ "$httpProvider", function($httpProvider: ng.IHttpProvider) {
    // Use x-www-form-urlencoded Content-Type
    $httpProvider.defaults.headers.post["Content-Type"] = "application/x-www-form-urlencoded;charset=utf-8";

    function phpize(obj: Object | any[], depth: number = 1): string[] {
        var arr: string[] = [ ];
        angular.forEach(obj, (value: any, key: string) => {
            if (angular.isObject(value) || angular.isArray(value)) {
                var arrInner: string[] = phpize(value, depth + 1);
                var tmpKey: string;
                var encodedKey = encodeURIComponent(key);
                if (depth == 1) tmpKey = encodedKey;
                else tmpKey = `[${encodedKey}]`;
                if (arrInner.length == 0) {
                    arr.push(`${tmpKey}=`);
                }
                else {
                    arr = arr.concat(arrInner.map(inner => `${tmpKey}${inner}`));
                }
            }
            else {
                var encodedKey = encodeURIComponent(key);
                var encodedValue;
                if (angular.isUndefined(value) || value === null) encodedValue = "";
                else encodedValue = encodeURIComponent(value);

                if (depth == 1) {
                    arr.push(`${encodedKey}=${encodedValue}`);
                }
                else {
                    arr.push(`[${encodedKey}]=${encodedValue}`);
                }
            }
        });
        return arr;
    }

    // Override $http service's default transformRequest
    (<any>$httpProvider.defaults).transformRequest = [ function(data: any) {
        if (!angular.isObject(data) || data.toString() == "[object File]") return data;
        return phpize(data).join("&");
    } ];
} ]);

它比 Felipe 的代码效率低,但我认为这并不重要,因为与 HTTP 请求本身的总体开销相比,它应该是即时的。

现在 PHP 显示:

[
    "A" => "1",
    "B" => [
        "a" => ""
    ],
    "C" => "",
    "D" => "2"
]

据我所知,不可能让 PHP 识别 Ba 和 C 是空数组,但至少出现了键,这在存在依赖于某个结构的代码时很重要,即使它内部基本上是空的。

另请注意,它将undefined s 和null s 转换为空字符串。

于 2015-10-06T22:40:24.973 回答
1

我通过以下代码解决了这个问题:

客户端(Js):

     $http({
                url: me.serverPath,
                method: 'POST',
                data: data,
                headers: { 'Content-Type': 'application/x-www-form-urlencoded' },
            }).
                success(function (serverData) {
                    console.log("ServerData:", serverData);
    ......

注意 data 是一个对象。

在服务器上(ASP.NET MVC):

[AllowCrossSiteJson]
        public string Api()
        {
            var data = JsonConvert.DeserializeObject<AgentRequest>(Request.Form[0]);
            if (data == null) return "Null Request";
            var bl = Page.Bl = new Core(this);

            return data.methodName;
        }

跨域请求需要“AllowCrossSiteJsonAttribute”:

public class AllowCrossSiteJsonAttribute : ActionFilterAttribute
    {
        public override void OnActionExecuting(ActionExecutingContext filterContext)
        {
            filterContext.RequestContext.HttpContext.Response.AddHeader("Access-Control-Allow-Origin", "*");
            base.OnActionExecuting(filterContext);
        }
    }

希望这很有用。

于 2015-05-23T11:04:46.743 回答
1

这不是角的错。Angular 旨在在 JSON 世界中工作。因此,当 $http 服务发送 AJAX 请求时,它会将您的所有数据作为有效负载发送,而不是作为表单数据发送,以便您的后端应用程序可以处理它。但是 jQuery 在内部做了一些事情。您指示 jQuery 的 $ajax 模块将表单数据绑定为 JSON,但在发送 AJAX 请求之前,它会序列化 JSON 并添加application/x-www-form-urlencoded标头。这样,您的后端应用程序就能够以 post 参数而不是 JSON 的形式接收表单数据。

但是您可以通过以下方式修改 angular $http 服务的默认行为

  1. 添加标题
  2. 序列化 json

$httpParamSerializerJQLike 是 Angular 的内置服务,它以与 $.param 对 jQuery 相同的方式序列化 json。

$http({
    method: 'POST',
    url: 'request-url',
    data: $httpParamSerializerJQLike(json-form-data),
    headers: {
      'Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8;'
    }
});

如果您需要一个插件首先将表单数据序列化为 JSON,请使用这个https://github.com/marioizquierdo/jquery.serializeJSON

于 2016-04-29T12:35:40.267 回答
0

只是提出@FelipeMiosso 答案的现代化版本:

.config(["$httpProvider", function ($httpProvider) {

  function buildKey(parentKey, subKey) {
    return parentKey + "[" + subKey + "]";
  }

  function buildObject(key, value) {
    var object = {};
    object[key] = value;
    return object;
  }

  function join(array) {
    return array.filter(function (entry) {
      return entry;
    }).join("&");
  }

  function arrayToQueryString(parentKey, array) {
    return join(array.map(function (value, subKey) {
      return toQueryString(buildObject(buildKey(parentKey, subKey), value));
    }));
  }

  function objectToQueryString(parentKey, object) {
    return join(Object.keys(object).map(function (subKey) {
      return toQueryString(buildObject(buildKey(parentKey, subKey), object[subKey]));
    }));
  }

  function toQueryString(input) {
    return join(Object.keys(input).map(function (key) {
      var value = input[key];
      if (value instanceof Array) {
        return arrayToQueryString(key, value);
      } else if (value instanceof Object) {
        return objectToQueryString(key, value);
      } else if (undefined !== value && null !== value) {
        return encodeURIComponent(key) + "=" + encodeURIComponent(value);
      } else {
        return "";
      }
    }));
  }

  function isQueryStringEligible(input) {
    return null !== input && "object" === typeof input && "[object File]" !== String(input);
  }

  var interceptor = [function () {
    return {
      request: function (config) {
        if (0 <= ["post", "put", "patch"].indexOf(config.method.toLowerCase()) && isQueryStringEligible(config.data)) {
          config.headers["Content-Type"] = "application/x-www-form-urlencoded;charset=utf-8";
          config.data = toQueryString(config.data);
        }
        return config;
      }
    };
  }];

  $httpProvider.interceptors.push(interceptor);

}])

ES6 版本:

.config(["$httpProvider", function ($httpProvider) {

  "use strict";

  const buildKey = (parentKey, subKey) => `${parentKey}[${subKey}]`;

  const buildObject = (key, value) => ({ [key]: value });

  const join = (array) => array.filter((entry) => entry).join("&");

  const arrayToQueryString = (parentKey, array) =>
    join(array.map((value, subKey) =>
      toQueryString(buildObject(buildKey(parentKey, subKey), value))));

  const objectToQueryString = (parentKey, object) =>
    join(Object.keys(object).map((subKey) =>
      toQueryString(buildObject(buildKey(parentKey, subKey), object[subKey]))));

  const toQueryString = (input) => join(Object.keys(input).map((key) => {
    const value = input[key];
    if (value instanceof Array) {
      return arrayToQueryString(key, value);
    } else if (value instanceof Object) {
      return objectToQueryString(key, value);
    } else if (undefined !== value && null !== value) {
      return `${encodeURIComponent(key)}=${encodeURIComponent(value)}`;
    } else {
      return "";
    }
  }));

  const isQueryStringEligible = (input) =>
    null !== input && "object" === typeof input && "[object File]" !== String(input);

  const interceptor = [() => ({
    request(config) {
      if (0 <= ["post", "put", "patch"].indexOf(config.method.toLowerCase()) && isQueryStringEligible(config.data)) {
        config.headers["Content-Type"] = "application/x-www-form-urlencoded;charset=utf-8";
        config.data = toQueryString(config.data);
      }
      return config;
    }
  })];

  $httpProvider.interceptors.push(interceptor);

}])
于 2017-06-20T10:11:19.147 回答
0

找到了简单的解决方案

http://jasonwatmore.com/post/2014/04/18/post-a-simple-string-value-from-angularjs-to-net-web-api

return $http.post(Config.apiUrl + '/example/processfile', '"' + fileName + '"');
于 2017-03-30T03:23:29.710 回答
0

使用这种方式。没必要写那么多

 isAuth = $http.post("Yr URL", {username: username, password: password});

在nodejs后端

app.post("Yr URL",function(req,resp)
{

  var username = req.body.username||req.param('username');
  var password = req.body.password||req.param('password');
}

我希望这有帮助

于 2015-08-31T07:18:55.020 回答
0

通过使用非常简单的方法,我们可以遵循:

 $http({
        url : "submit_form_adv.php",
        method : 'POST',
        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 : {sample_id : 100, sample_name: 'Abin John'},

    }).success(function(data, status, headers, config) {

    }).error(function(ata, status, headers, config) {

    });
于 2016-02-22T08:57:59.470 回答
0

我遇到了这个问题,问题是我在使用上述标题发布时无法获取数据,即

headers: {
    'Accept': 'application/json',
    'Content-Type': 'application/x-www-form-urlencoded'
}

在使用 jquery Ajax 时,我们通常在后端服务器的response.body中获取数据,但是在实现 Angular ajax 时,数据并没有出现在 response.body 中,而是在

request.getParameterMap.keySet().iterator().next()
于 2017-08-07T11:53:57.430 回答
0

我写了一个小的PHP 帮助函数,它允许两种类型的输入参数:

function getArgs () {
    if ($input = file_get_contents('php://input') && $input_params = json_decode($input,true))
        return $input_params + $_POST + $_GET;
    return $_POST + $_GET;
}

用法 :

<?php
    include("util.php"); # above code
    $request = getArgs();

    $myVar = "";
    if (isset($request['myVar']))
        $myVar = $request['myVar'];
?>

因此,您的 JavaScript 无需更改。

于 2015-09-20T03:03:52.277 回答