0

我正在使用 node.js 发布一个 http 请求。如果我在“选项”字段之前定义我的帖子数据,则该代码适用,但如果我最初将我的 post_data 字符串设置为空并稍后更新它,它不会获得新的长度。我将如何让它做到这一点?我希望将多个不同长度的帖子循环发送到同一个地方,所以需要能够做到这一点。

var post_data=''; //if i set my string content here rather than later on it works

var options = {
        host: '127.0.0.1',
        port: 8529,
        path: '/_api/cursor',
        method: 'POST',
        headers: {
            'Content-Type': 'application/json',
            'Content-Length': post_data.length
        }
    };

    var req = http.request(options, function(res) {
        res.setEncoding('utf8');
        res.on('data', function (chunk) {
            console.log('BODY: ' + chunk);
        });
    });

    req.on('error', function(e) {
        console.log('problem with request: ' + e.message);
    });

   post_data = 'a variable length string goes here';//the change in length to post_data is not                     //recognised    
   req.write(post_data);
   req.end();        
4

3 回答 3

1
'Content-Length': post_data.length

你在设置之前运行了这个post_data

如果要post_data在创建对象后设置,则需要稍后手动设置:

options.headers['Content-Length'] = post_data.length;

请注意,您必须在调用http.request().

于 2013-06-24T19:05:03.030 回答
0

您需要更换:

'Content-Length': post_data.length

为了:

'Content-Length': Buffer.byteLength(post_data, 'utf-8')

https://github.com/strongloop/express/issues/1870

于 2014-10-14T12:19:45.683 回答
0

发布数据是发送一个查询字符串(就像您在 ? 之后使用 URL 发送它的方式)作为请求正文的问题。

这还需要声明 Content-Type 和 Content-Length 值,以便服务器知道如何解释数据。

var querystring = require('querystring');

var data = querystring.stringify({
      username: yourUsernameValue,
      password: yourPasswordValue
    });

var options = {
    host: 'my.url',
    port: 80,
    path: '/login',
    method: 'POST',
    headers: {
        'Content-Type': 'application/x-www-form-urlencoded',
        'Content-Length': data.length
    }
};

var req = http.request(options, function(res) {
    res.setEncoding('utf8');
    res.on('data', function (chunk) {
        console.log("body: " + chunk);
    });
});

req.write(data);
req.end();
于 2013-08-22T12:31:28.697 回答