我在Node(4.2.3)中有这个基本快速(4.13.3)服务器。
//blah blah initialization code
app.put('/', function(req, res) {
req.on('close', function() {
console.log('closed');
});
req.on('end', function() {
console.log('ended');
});
req.on('error', function(err) {
console.log(err);
});
res.send(200);
});
然后我使用cURL模拟文件上传,如下所示:
curl http://localhost:3000/ -X PUT -T file.zip
它开始上传(虽然它没有任何反应),当它结束时,事件end
会被激活。
当我使用 Ctrl + C 中止上传时,问题就开始了。 根本没有事件发生。没有任何事情发生。
req
对象继承自IncomingMessage
,因此继承自Readable
,Stream
和EventEmitter
。
是否有任何事件可以捕获这样的中止?有没有办法知道客户端是否中止文件上传?
用户@AwalGarg建议req.socket.on('close', function(had_error) {})
,但我想知道是否有任何解决方案没有使用套接字?
答案 0 :(得分:2)
您的代码会设置一些事件侦听器,然后立即将响应发送回客户端,从而过早地完成HTTP请求。
在事件处理程序中移动res.send()
,保持连接处于打开状态,直到其中一个事件发生。
app.put('/', function(req, res) {
req.on('close', function() {
console.log('closed');
res.send(200);
});
req.on('end', function() {
console.log('ended');
res.send(200);
});
req.on('error', function(err) {
console.log(err);
res.send(200);
});
});