Angular, 콘텐츠 유형이 $ http로 전송되지 않음
Angular가 올바른 콘텐츠 유형 옵션을 추가하지 않고 다음 명령을 시도했습니다.
$http({
url: "http://localhost:8080/example/teste",
dataType: "json",
method: "POST",
headers: {
"Content-Type": "application/json"
}
}).success(function(response){
$scope.response = response;
}).error(function(error){
$scope.error = error;
});
위의 코드는 다음 http 요청을 생성합니다.
POST http://localhost:8080/example/teste HTTP/1.1
Host: localhost:8080
Connection: keep-alive
Content-Length: 0
Cache-Control: no-cache
Pragma: no-cache
Origin: http://localhost:8080
User-Agent: Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.31 (KHTML, like Gecko) Chrome/26.0.1410.64 Safari/537.31
Content-Type: application/xml
Accept: application/json, text/plain, */*
X-Requested-With: XMLHttpRequest
Referer: http://localhost:8080/example/index
Accept-Encoding: gzip,deflate,sdch
Accept-Language: pt-BR,pt;q=0.8,en-US;q=0.6,en;q=0.4
Accept-Charset: ISO-8859-1,utf-8;q=0.7,*;q=0.3
Cookie: JSESSIONID=C404CE2DA653136971DD1A3C3EB3725B
보시다시피 "application / json"대신 콘텐츠 유형은 "application / xml"입니다. 여기에 뭔가 빠졌나요?
요청에 본문을 포함해야합니다. Angular는 그렇지 않으면 콘텐츠 유형 헤더를 제거합니다.
data: ''
에 인수에 추가하십시오 $http
.
$http({
url: 'http://localhost:8080/example/teste',
dataType: 'json',
method: 'POST',
data: '',
headers: {
"Content-Type": "application/json"
}
}).success(function(response){
$scope.response = response;
}).error(function(error){
$scope.error = error;
});
이렇게 해보세요.
$http({
method: 'GET',
url:'/http://localhost:8080/example/test' + toto,
data: '',
headers: {
'Content-Type': 'application/json'
}
}).then(
function(response) {
return response.data;
},
function(errResponse) {
console.error('Error !!');
return $q.reject(errResponse);
}
큰! 위에 제공된 솔루션이 저에게 효과적이었습니다. GET
전화로 동일한 문제가 발생했습니다 .
method: 'GET',
data: '',
headers: {
"Content-Type": "application/json"
}
누구에게나 유용 할 경우. AngularJS 1.5x의 경우 모든 요청에 대해 CSRF를 설정하고 싶었고이 작업을 수행했을 때 다음을 발견했습니다.
$httpProvider.defaults.headers.get = { 'CSRF-Token': afToken };
$httpProvider.defaults.headers.put = { 'CSRF-Token': afToken };
$httpProvider.defaults.headers.post = { 'CSRF-Token': afToken };
Angular는 콘텐츠 유형을 제거 했으므로 다음을 추가해야했습니다.
$httpProvider.defaults.headers.common = { "Content-Type": "application/json"};
그렇지 않으면 415 미디어 유형 오류가 발생합니다.
So I am doing this to configure my application for all requests:
angular.module("myapp.maintenance", [])
.controller('maintenanceCtrl', MaintenanceCtrl)
.directive('convertToNumber', ConvertToNumber)
.config(configure);
MaintenanceCtrl.$inject = ["$scope", "$http", "$sce", "$window", "$document", "$timeout", "$filter", 'alertService'];
configure.$inject = ["$httpProvider"];
// configure the header tokens for CSRF for http operations in this module
function configure($httpProvider) {
const afToken = angular.element('input[id="__AntiForgeryToken"]').attr('value');
$httpProvider.defaults.headers.get = { 'CSRF-Token': afToken }; // only added for GET
$httpProvider.defaults.headers.put = { 'CSRF-Token': afToken }; // added for PUT
$httpProvider.defaults.headers.post = { 'CSRF-Token': afToken }; // added for POST
// for some reason if we do the above we have to set the default content type for all
// looks like angular clears it when we add our own headers
$httpProvider.defaults.headers.common = { "Content-Type": "application/json" };
}
Just to show an example of how to dynamically add the "Content-type" header to every POST request. In may case I'm passing POST params as query string, that is done using the transformRequest. In this case its value is application/x-www-form-urlencoded.
// set Content-Type for POST requests
angular.module('myApp').run(basicAuth);
function basicAuth($http) {
$http.defaults.headers.post = {'Content-Type': 'application/x-www-form-urlencoded'};
}
Then from the interceptor in the request method before return the config object
// if header['Content-type'] is a POST then add data
'request': function (config) {
if (
angular.isDefined(config.headers['Content-Type'])
&& !angular.isDefined(config.data)
) {
config.data = '';
}
return config;
}
참고URL : https://stackoverflow.com/questions/16194442/angular-content-type-is-not-being-sent-with-http
'program tip' 카테고리의 다른 글
오늘 시간을 자정으로 설정하는 방법은 무엇입니까? (0) | 2020.12.11 |
---|---|
AngularJS-조건부로 항목을 반환하기 위해 ng-repeat로 사용자 지정 필터를 구성하는 방법 (0) | 2020.12.11 |
MySQL LEFT JOIN 3 테이블 (0) | 2020.12.11 |
예기치 않은 JavaScript 가능한 반복 (0) | 2020.12.11 |
다른 기능에 영향을주지 않고 Firebase 용 Cloud Functions에 일부 기능을 배포하는 방법은 무엇입니까? (0) | 2020.12.10 |