[angularjs] AngularJs $ http.post ()는 데이터를 보내지 않습니다

다음 진술이 왜 게시물 데이터를 지정된 URL로 보내지 않는지 아는 사람이 있습니까? URL이 호출되었지만 $ _POST를 인쇄하면 서버에서 빈 배열을 얻습니다. 데이터를 메시지에 추가하기 전에 콘솔에 메시지를 인쇄하면 올바른 내용이 표시됩니다.

$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 객체로 보낼 수 있습니까?



답변

asp.net MVC를 사용하는 것과 동일한 문제가 있었고 여기서 해결책을 찾았습니다.

이민자들에게 혼란이 많다 AngularJS 를 왜 $http서비스 속기 함수 ( $http.post()등)가 jQuery 등가 ( jQuery.post(), 등) 와 교체 될 수 없는지에 대해
이 있습니다 .

차이점은 jQuery 가 어떻게AngularJS 가 데이터를 직렬화하고 전송하는 방법에 있습니다. 기본적으로 문제는 선택한 서버 언어가 AngularJS의 전송을 기본적으로 이해할 수 없다는 데 있습니다. 기본적으로 jQuery 는 다음을 사용하여 데이터를 전송합니다.

Content-Type: x-www-form-urlencoded

익숙한 foo=bar&baz=moe직렬화.

그러나 AngularJS 는 다음을 사용하여 데이터를 전송합니다.

Content-Type: application/json 

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

불행히도 일부 웹 서버 언어 인 JSON 직렬화 특히 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;
  }];
});


답변

위에서 명확하지는 않지만 PHP로 요청을 받으면 다음을 사용할 수 있습니다.

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

AngularJS POST에서 PHP의 배열에 액세스합니다.


답변

다음과 같이 기본 “Content-Type”을 설정할 수 있습니다.

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

data형식에 관하여 :

$ http.post 및 $ http.put 메소드는 JavaScript 오브젝트 (또는 문자열) 값을 데이터 매개 변수로 승인합니다. 데이터가 JavaScript 객체 인 경우 기본적으로 JSON 문자열로 변환됩니다.

이 변형을 사용해보십시오

function sendData($scope) {
    $http({
        url: 'request-url',
        method: "POST",
        data: { 'message' : message }
    })
    .then(function(response) {
            // success
    },
    function(response) { // optional
            // failed
    });
}


답변

비슷한 문제가 있었는데 이것이 유용 할 수 있는지 궁금합니다. 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'}
})

문안 인사,


답변

객체를 포스트 매개 변수로 변환하는 함수를 사용하고 싶습니다.

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


답변

이것은 $ httpParamSerializerJQLike를 사용하여 각도 1.4에서 마침내 해결되었습니다.

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


답변

AngularJS post requrest 와 함께 jQuery 매개 변수 를 사용 합니다. 다음은 HTML 코드에서 정의 된 AngularJS 애플리케이션 모듈을 만드는 예제 입니다.myappng-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
    });
}]);

코드를 설명하고 싶지는 않습니다. 이해하기 쉽습니다. : paramjQuery에서 가져온 것이므로 jQuery와 AngularJS를 모두 설치해야 작동합니다. 다음은 스크린 샷입니다.

여기에 이미지 설명을 입력하십시오

이것이 도움이 되길 바랍니다. 감사!