对于整个节点来说,我还是比较新的东西,所以请原谅我,如果这是非常愚蠢的,但是:
如果我在 node-mysql 客户端对象上调用query()
,我将无法再从我的Web应用程序中获取请求对象的主体( express )。
我需要用户身份验证的基本POST / PUT模式请求是:
_db_client = connect_to_db_server();
app.post("/some/path", function (req, res) {
_db_client.query("SELECT * FROM Users WHERE username = ?",
[ http_basic_auth.username ], function (err, results) {
if (err != null || resp == null) {
res.send("AUTH FAILURE: sorry, you can't do that", 403);
} else {
get_request_body(req, function (body) {
do_something();
res.send("yay, I'm happy", 200);
});
}
});
});
现在,问题是get_request_body函数永远不会回来。似乎它只是在请求对象上被“阻止”。
以下是一个示例程序:
var express = require('express'),
mysql = require('mysql');
var MySQLClient = mysql.Client;
var client = new MySQLClient();
client.user = 'root';
client.password = '';
client.connect(function(err, res) {
client.query("USE Gazelle", function (qerr, qresp) {
});
});
var app = express.createServer( );
app.use(express.bodyParser());
app.post("/test", function (req, res) {
client.query('SELECT * FROM Users', function (err, results) {
get_request_body(req, function (body) {
console.log("wooo");
console.log(body);
res.send("cool", 200);
});
});
});
app.listen(8080);
function get_request_body (req, callback) {
if (req.rawBody != undefined) {
callback(req.rawBody);
} else {
var data = '';
req.setEncoding('binary');
req.on('data', function(chunk) {
data += chunk;
});
req.on('end', function() {
callback(data);
});
}
}
技巧:只有在我使用多部分表单POST数据而不是常规POST数据时才会失败:
curl -u un:pw -X POST -d ' { "cat" : "meow" }' http://localhost:8080/test
作品
curl -u un:pw -X POST -F "image_file=@test.jpg" http://localhost:8080/test
锁定并永不返回。我在 connect-form 和 multipart-js 中看到了同样的错误。现在有点难过。
我是一个完全白痴吗?这不是正确的做事方式吗?
答案 0 :(得分:1)
我认为,当您将end
侦听器添加到请求对象时,end
事件已经被触发。您需要在主req
函数范围内立即将IO事件侦听器添加到app.post
对象,而不是在数据库查询返回时在异步回调中添加。这是一个带有一些日志语句的版本,它显示导致此问题的事件序列。底部的req.emit('end');
只是一个黑客来证明请求锁定的原因。您的end
事件处理程序永远不会被调用,但是合成重复的end
事件确实允许请求完成(但是正文尚未正确解析)。
var express = require('express');
var app = express.createServer( );
app.use(express.bodyParser());
app.post("/test", function (req, res) {
req.on('data', function(){
console.log("data fired but your listener is not yet added");
});
req.on('end', function() {
console.log('end fired but your listener is not yet added');
});
setTimeout(function() { //Simulating your async DB query
console.log("setTimeout finished and fired callback");
get_request_body(req, function (body) {
console.log("wooo");
console.log(body);
res.send("cool", 200);
});
}, 50);
});
app.listen(8081);
function get_request_body (req, callback) {
if (req.rawBody != undefined) {
console.log('express.bodyParser parsed it already');
callback(req.rawBody);
} else {
console.log('get_request_body going to parse because ' + req.rawBody);
var data = '';
req.setEncoding('binary');
req.on('data', function(chunk) {
console.log('get_request_body got data event');
data += chunk;
});
req.on('end', function() {
console.log('get_request_body parsed it');
callback(data);
});
req.emit('end');//BUGBUG
}
}