如何正确关闭Node.js TCP服务器?

时间:2015-01-17 22:05:18

标签: javascript node.js http tcp server

我无法在Google或SO上找到明确的答案。

我知道net.Server实例有close方法,不允许更多客户端进入。但它不会断开已连接的客户端。我怎样才能做到这一点?

我知道如何用Http做到这一点,我想我问的是它与Tcp是否相同或是否有所不同。

使用Http,我会做这样的事情:

var http = require("http");

var clients = [];

var server = http.createServer(function(request, response) {
    response.writeHead(200, {"Content-Type": "text/plain"});
    response.end("You sent a request.");
});

server.on("connection", function(socket) {
    socket.write("You connected.");
    clients.push(socket);
});

// .. later when I want to close
server.close();
clients.forEach(function(client) {
    client.destroy();
});

Tcp是否相同?或者我应该做些什么不同的事情?

1 个答案:

答案 0 :(得分:9)

由于未提供答案,以下是如何在node.js中打开和(硬)关闭服务器的示例:

创建服务器:

var net = require('net');

var clients = [];
var server = net.createServer();

server.on('connection', function (socket) {
    clients.push(socket);
    console.log('client connect, count: ', clients.length);

    socket.on('close', function () {
        clients.splice(clients.indexOf(socket), 1);
    });
});

server.listen(8194);

关闭服务器:

// destroy all clients (this will emit the 'close' event above)
for (var i in clients) {
    clients[i].destroy();
}
server.close(function () {
    console.log('server closed.');
    server.unref();
});

更新:由于使用了上述代码,我遇到了close将打开端口(Windows中为TIME_WAIT)的问题。由于我故意关闭连接,我使用unref似乎完全关闭tcp服务器,但如果这是关闭连接的正确方法我不是100%。