source

HTTP POST 요구에 JSON 전달

factcode 2023. 3. 10. 22:47
반응형

HTTP POST 요구에 JSON 전달

nodejs request [2]를 사용하여 구글 QPX Express API [1]에 HTTP POST 요청을 하려고 합니다.

코드는 다음과 같습니다.

    // create http request client to consume the QPX API
    var request = require("request")

    // JSON to be passed to the QPX Express API
    var requestData = {
        "request": {
            "slice": [
                {
                    "origin": "ZRH",
                    "destination": "DUS",
                    "date": "2014-12-02"
                }
            ],
            "passengers": {
                "adultCount": 1,
                "infantInLapCount": 0,
                "infantInSeatCount": 0,
                "childCount": 0,
                "seniorCount": 0
            },
            "solutions": 2,
            "refundable": false
        }
    }

    // QPX REST API URL (I censored my api key)
    url = "https://www.googleapis.com/qpxExpress/v1/trips/search?key=myApiKey"

    // fire request
    request({
        url: url,
        json: true,
        multipart: {
            chunked: false,
            data: [
                {
                    'content-type': 'application/json',
                    body: requestData
                }
            ]
        }
    }, function (error, response, body) {
        if (!error && response.statusCode === 200) {
            console.log(body)
        }
        else {

            console.log("error: " + error)
            console.log("response.statusCode: " + response.statusCode)
            console.log("response.statusText: " + response.statusText)
        }
    })

여기서 하려고 하는 것은 멀티파트 인수를 사용하여 JSON을 패스하는 것입니다[3].그러나 적절한 JSON 응답 대신 오류가 발생했습니다(400 정의되지 않음).

대신 CURL을 사용하여 동일한 JSON과 API Key로 요청하면 정상적으로 동작합니다.그래서 제 API 키나 JSON에는 아무런 문제가 없습니다.

내 코드에 무슨 문제가 있나요?

편집:

CURL의 동작 예:

i) 요청에 전달할 JSON을 "request.json"이라는 파일에 저장했습니다.

{
  "request": {
    "slice": [
      {
        "origin": "ZRH",
        "destination": "DUS",
        "date": "2014-12-02"
      }
    ],
    "passengers": {
      "adultCount": 1,
      "infantInLapCount": 0,
      "infantInSeatCount": 0,
      "childCount": 0,
      "seniorCount": 0
    },
    "solutions": 20,
    "refundable": false
  }
}

ii) 그 후 터미널에서 새로 생성된 request.json 파일이 있는 디렉토리로 전환하여 실행합니다(myApiKey는 실제 API Key를 나타냅니다).

curl -d @request.json --header "Content-Type: application/json" https://www.googleapis.com/qpxExpress/v1/trips/search?key=myApiKey

[1] https://developers.google.com/qpx-express/ [ 2 ]nodejs용으로 설계된http 요청 클라이언트:https://www.npmjs.org/package/request [3]는 예를 나타내고 있습니다.https://www.npmjs.org/package/request#multipart-related [4]QPX Express API가 400 해석 오류를 반환하고 있습니다.

다음 사항이 효과적이라고 생각합니다.

// fire request
request({
    url: url,
    method: "POST",
    json: requestData
}, ...

이 경우,Content-type: application/json헤더가 자동으로 추가됩니다.

너무 오래 일했어요.도움이 된 답변은 "콘텐츠 유형 전송: node.js를 사용하여 애플리케이션/json 포스트"였습니다.

는 다음 형식을 사용합니다.

request({
    url: url,
    method: "POST",
    headers: {
        "content-type": "application/json",
        },
    json: requestData
//  body: JSON.stringify(requestData)
    }, function (error, resp, body) { ...

멀티파트가 아니라 "일반" POST 요청(와 함께)을 원합니다.Content-Type: application/json)을 클릭합니다.필요한 것은 다음과 같습니다.

var request = require('request');

var requestData = {
  request: {
    slice: [
      {
        origin: "ZRH",
        destination: "DUS",
        date: "2014-12-02"
      }
    ],
    passengers: {
      adultCount: 1,
      infantInLapCount: 0,
      infantInSeatCount: 0,
      childCount: 0,
      seniorCount: 0
    },
    solutions: 2,
    refundable: false
  }
};

request('https://www.googleapis.com/qpxExpress/v1/trips/search?key=myApiKey',
        { json: true, body: requestData },
        function(err, res, body) {
  // `body` is a js object if request was successful
});

새로운 JavaScript 버전(ECMAScript 6 http://es6-features.org/ #ClassDefinition)에서는 nodejs 및 Promise request(http://www.wintellect.com/devcenter/nstieglitz/5-great-features-in-es6-harmony))를 사용하여 요청을 전송할 수 있습니다.

라이브러리 사용방법 : https://github.com/request/request-promise

npm install --save request
npm install --save request-promise

클라이언트:

//Sequential execution for node.js using ES6 ECMAScript
var rp = require('request-promise');

rp({
    method: 'POST',
    uri: 'http://localhost:3000/',
    body: {
        val1 : 1,
        val2 : 2
    },
    json: true // Automatically stringifies the body to JSON
}).then(function (parsedBody) {
        console.log(parsedBody);
        // POST succeeded...
    })
    .catch(function (err) {
        console.log(parsedBody);
        // POST failed...
    });

서버:

var express = require('express')
    , bodyParser = require('body-parser');

var app = express();

app.use(bodyParser.json());

app.post('/', function(request, response){
    console.log(request.body);      // your JSON

    var jsonRequest = request.body;
    var jsonResponse = {};

    jsonResponse.result = jsonRequest.val1 + jsonRequest.val2;

    response.send(jsonResponse);
});


app.listen(3000);

예.

var request = require('request');

var url = "http://localhost:3000";

var requestData = {
    ...
} 

var data = {
    url: url,
    json: true,
    body: JSON.stringify(requestData)
}

request.post(data, function(error, httpResponse, body){
    console.log(body);
});

삽입할 때json: true옵션, 값의 본문을 JSON으로 설정하고 추가"Content-type": "application/json"header를 클릭합니다.또한 응답 본문을 JSON으로 해석합니다.LINK

문서에 따르면 https://github.com/request/request

예를 들어 다음과 같습니다.

  multipart: {
      chunked: false,
      data: [
        {
          'content-type': 'application/json', 
          body: JSON.stringify({foo: 'bar', _attachments: {'message.txt': {follows: true, length: 18, 'content_type': 'text/plain' }}})
        },
      ]
    }

문자열이 필요한 개체를 보내는 것 같습니다. 바꾸기

body: requestData

타고

body: JSON.stringify(requestData)
       var request = require('request');
        request({
            url: "http://localhost:8001/xyz",
            json: true,
            headers: {
                "content-type": "application/json",
            },
            body: JSON.stringify(requestData)
        }, function(error, response, body) {
            console.log(response);
        });

나는 느낀다.

var x = request.post({
       uri: config.uri,
       json: reqData
    });

이렇게 정의하는 것이 코드를 작성하는 효과적인 방법입니다.그리고 어플리케이션/json은 자동으로 추가됩니다.그것을 구체적으로 선언할 필요는 없다.

json 객체를 fetch 요청의 body(세 번째 인수)로 전달할 수 있습니다.

언급URL : https://stackoverflow.com/questions/27190447/pass-json-to-http-post-request

반응형