[json] HTTP POST 요청에 JSON 전달

nodejs요청 [2]를 사용하여 Google 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)
        }
    })

내가하려는 것은 multipart 인수 [3]을 사용하여 JSON을 전달하는 것입니다. 그러나 적절한 JSON 응답 대신 오류가 발생했습니다 (400 정의되지 않음).

대신 CURL을 사용하여 동일한 JSON 및 API 키를 사용하여 요청하면 제대로 작동합니다. 따라서 내 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 키를 나타냄).

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헤더가 자동으로 추가됩니다.


답변

나는 이것을 너무 오랫동안 일했다. 나를 도운 대답은 다음
과 같습니다 .Send Content-Type : application / json post with node.js

다음 형식을 사용합니다.

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


답변

다중 부분이 아니라 Content-Type: application/json대신 “일반”POST 요청 (사용 )이 필요합니다. 여기에 필요한 모든 것이 있습니다.

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 요청 ( http://www.wintellect.com/devcenter/nstieglitz/5)을 사용하여 요청을 제출하는 더 나은 방법이 있습니다 . -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"헤더를 추가합니다 . 또한 응답 본문을 JSON으로 구문 분석합니다.
링크


답변

문서에 따르면 :
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);
        });