共计 2354 个字符,预计需要花费 6 分钟才能阅读完成。
本篇文章为大家展示了怎样让 Nodejs 服务器优雅地退出,内容简明扼要并且容易理解,绝对能使你眼前一亮,通过这篇文章的详细介绍希望你能有所收获。
假设我们启动了一个服务器,接收到了一些客户端的请求,这时候,如果我们想修改一个代码发布,需要重启服务器,怎么办? 假设我们有以下代码。
server.js
const net = require(net const server = net.createServer().listen(80);
client.js
const net = require(net net.connect({port:80})
如果我们直接杀死进程,那么存量的请求就会无法正常被处理。这会影响我们的服务质量。本文介绍如何使 nodejs 在重启时优雅地退出,所谓优雅,即让 nodejs 进程处理完存量请求后再退出。这关键的地方在于 nodejs 提供的 api server.close()。我们看一下这 api 的介绍。
Stops the server from accepting new connections and keeps existing connections. This function is asynchronous, the server is finally closed when all connections are ended and the server emits a close event. The optional callback will be called once the close event occurs. Unlike that event, it will be called with an Error as its only argument if the server was not open when it was closed.
当我们使用 close 关闭一个 server 时,server 会等所有的连接关闭后才会触发 close 事件。我们看一下源码。
Server.prototype.close = function(cb) { // 触发回调 if (typeof cb === function) { if (!this._handle) { this.once( close , function close() { cb(new errors.Error( ERR_SERVER_NOT_RUNNING }); } else { this.once( close , cb); } } // 关闭底层资源 if (this._handle) { this._handle.close(); this._handle = null; } // 判断是否需要立刻触发 close 事件 this._emitCloseIfDrained(); return this; }; // server 下的连接都 close 后触发 server 的 close 事件 Server.prototype._emitCloseIfDrained = function() { // 还有连接则先不处理 if (this._handle || this._connections) { return; } const asyncId = this._handle ? this[async_id_symbol] : null; nextTick(asyncId, emitCloseNT, this); }; Socket.prototype._destroy = function(exception, cb) { ... // socket 所属的 server if (this._server) { // server 下的连接数减一 this._server._connections--; /* 是否需要触发 server 的 close 事件, 当所有的连接(socket)都关闭时才触发 server 的是 close 事件 */ if (this._server._emitCloseIfDrained) { this._server._emitCloseIfDrained(); } } };
从源码中我们看到,nodejs 会先关闭 server 对应的 handle,所以 server 不会再接收新的请求了。但是 server 并没有触发 close 事件,而是等到所有连接断开后才触发 close 事件,这个通知机制给了我们一些思路。我们可以监听 server 的 close 事件,等到触发 close 事件后才退出进程。
const net = require(net const server = net.createServer().listen(80);
server.on(close , () = { process.exit(); }); // 防止进程提前挂掉 process.on(uncaughtException , () = { }); process.on(SIGINT , function() { server.close(); })
我们首先监听 SIGINT 信号,当我们使用 SIGINT 信号杀死进程时,首先调用 server.close,等到所有的连接断开,触发 close 时候时,再退出进程。我们首先开启服务器,然后开启两个客户端。接着按下 ctrl+c,我们发现这时候服务器不会退出,然后我们关闭两个客户端,这时候 server 就会优雅地退出。
上述内容就是怎样让 Nodejs 服务器优雅地退出,你们学到知识或技能了吗?如果还想学到更多技能或者丰富自己的知识储备,欢迎关注丸趣 TV 行业资讯频道。