我正在尝试通过POST
请求从node.js服务器向另一个node.js服务器发送数据。我在“client”node.js中所做的如下:
var options = {
host: 'my.url',
port: 80,
path: '/login',
method: 'POST'
};
var req = http.request(options, function(res){
console.log('status: ' + res.statusCode);
console.log('headers: ' + JSON.stringify(res.headers));
res.setEncoding('utf8');
res.on('data', function(chunk){
console.log("body: " + chunk);
});
});
req.on('error', function(e) {
console.log('problem with request: ' + e.message);
});
// write data to request body
req.write('data\n');
req.write('data\n');
req.end();
这个块或多或少来自node.js网站,所以它应该是正确的。我唯一没看到的是如何在options
变量中包含用户名和密码来实际登录。这就是我如何处理服务器node.js中的数据(我使用express):
app.post('/login', function(req, res){
var user = {};
user.username = req.body.username;
user.password = req.body.password;
...
});
如何将username
和password
字段添加到options
变量以使其登录?
由于
答案 0 :(得分:121)
发布数据的问题在于发送查询字符串(就像您使用?
之后的URL发送它一样)作为请求正文。
这需要Content-Type
和Content-Length
标头,因此接收服务器知道如何解释传入数据。 (*)
var querystring = require('querystring');
var http = require('http');
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': Buffer.byteLength(data)
}
};
var req = http.request(options, function(res) {
res.setEncoding('utf8');
res.on('data', function (chunk) {
console.log("body: " + chunk);
});
});
req.write(data);
req.end();
(*)发送数据需要正确设置Content-Type标头,即标准HTML表单将使用的传统格式的application/x-www-form-urlencoded
。
以完全相同的方式发送JSON(application/json
)很容易;事先只需JSON.stringify()
数据。
URL编码数据支持一级结构(即键和值)。在交换具有嵌套结构的数据时,JSON非常有用。
底线是:服务器必须能够解释有问题的内容类型。它可以是text/plain
或其他任何东西;如果接收服务器理解它,则无需转换数据。
如果您的数据是不常见的字符集,即不是UTF-8,请添加charset参数(例如application/json; charset=Windows-1252
)。例如,如果您从文件中读取它,则可能需要这样做。
答案 1 :(得分:23)
您还可以使用Requestify,这是我为nodeJS +编写的非常简单且非常简单的HTTP客户端,它支持缓存。
执行POST请求时,请执行以下操作:
var requestify = require('requestify');
requestify.post('http://example.com', {
hello: 'world'
})
.then(function(response) {
// Get the response body (JSON parsed or jQuery object for XMLs)
response.getBody();
});