将JSON传递到HTTP POST请求


92

我正在尝试使用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解析错误


尝试从您的请求中删除“ json:true”
Baart

没什么不同。但据我所知,这仅指定响应为json正确吗?
罗宁2014年

您可以显示有效的cURL命令行吗?
mscdex14年

出于好奇,您为什么要使用multipart?
cloudfeet 2014年

@mscdex,请参阅我更新的原始帖子
Ronin

Answers:


168

我认为以下应该起作用:

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

在这种情况下,Content-type: application/json标题将自动添加。


1
无论出于何种原因,我击中的端点都无法使用第一种方法读取参数(就像未发送参数一样),但是可以使用第二种方法读取参数。
未知开发

贾米尔说的也一样。我有SyntaxError: Unexpected token &quot;<br> &nbsp; &nbsp;at parse (/home/malcolm/complice/node_modules/body-parser/lib/types/json.js:83:15)第一种方法。
MalcolmOcean '09

@MalcolmOcean这是因为<br>标记不是有效的JSON内容
Tobi

我收到此错误:[ERR_STREAM_WRITE_AFTER_END]: write after end,我该如何解决?
Mehdi Dehghani


10

您不希望包含多个部分,而是一个“普通”的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
});

我尝试了此操作,但遇到另一个错误:“ 400。那是一个错误。您的客户发出了格式错误或非法的请求。这就是我们所知道的。” 为充分响应访问jsfiddle.net/f71opd7p讨好
罗宁

4
@Tobi根据该请求文档和代码json: true应该既JSON.stringify() body JSON.parse()响应。
mscdex14年

这就是答案。除此之外,您还可以通过管道发送响应request('xxx',{ json: true, body: req.body }).pipe(res).on('error', catchErr);
sidonaldson

当没有被接受的答案时,这对我有用。
greg_diesel

我收到此错误:[ERR_STREAM_WRITE_AFTER_END]: write after end,我该如何解决?
Mehdi Dehghani

9

现在,有了新的JavaScript版本(ECMAScript 6 http://es6-features.org/#ClassDefinition),有一种更好的方法可以使用nodejs和Promise请求提交请求(http://www.wintellect.com/devcenter/nstieglitz/5 -es6-harmony中的-great-features

使用库: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);

3

例。

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。 链接


2

根据文档: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)

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

0

我觉得

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

这样定义将是编写代码的有效方法。并且应该自动添加application / json。无需专门声明它。


By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.