我在Node.js服务器上运行一个网络应用程序,我需要它一直在线,所以我永远使用。但这是我经过一段时间后所得到的:
Error: Connection lost: The server closed the connection.
at Protocol.end (/home/me/private/app/node_modules/mysql/lib/protocol/Protocol.js:73:13)
at Socket.onend (stream.js:79:10)
at Socket.EventEmitter.emit (events.js:117:20)
at _stream_readable.js:910:16
at process._tickCallback (node.js:415:13)
error: Forever detected script exited with code: 8
error: Forever restarting script for 3 time
我还有两台服务器连续运行了大约10天。我有一个" keepalive"在所有服务器上循环,进行"选择1"每5分钟左右查询一次mysql,但似乎没有任何区别。
有什么想法吗?
编辑1
我的其他服务器发出了类似的错误,我认为这是"连接超时",所以我把这个功能:
function keepalive() {
db.query('select 1', [], function(err, result) {
if(err) return console.log(err);
console.log('Successful keepalive.');
});
}
它修复了我的另外两台服务器。但是在我的主服务器上,我仍然遇到上述错误。
以下是我启动主服务器的方式:
var https = require('https');
https.createServer(options, onRequest).listen(8000, 'mydomain.com');
我不确定您有兴趣看到哪些代码。基本上,服务器是一个REST API,它需要一直保持高效。它每分钟大约需要2-5个,也许10个。
答案 0 :(得分:13)
该错误与您的HTTPS实例无关,它与您的MySQL连接有关。
与数据库的连接意外结束且未被处理。要解决此问题,您可以使用手动重新连接解决方案,也可以使用自动处理重新连接的连接池。
以下是从node-mysql文档中获取的手动重新连接示例。
var db_config = {
host: 'localhost',
user: 'root',
password: '',
database: 'example'
};
var connection;
function handleDisconnect() {
connection = mysql.createConnection(db_config); // Recreate the connection, since
// the old one cannot be reused.
connection.connect(function(err) { // The server is either down
if(err) { // or restarting (takes a while sometimes).
console.log('error when connecting to db:', err);
setTimeout(handleDisconnect, 2000); // We introduce a delay before attempting to reconnect,
} // to avoid a hot loop, and to allow our node script to
}); // process asynchronous requests in the meantime.
// If you're also serving http, display a 503 error.
connection.on('error', function(err) {
console.log('db error', err);
if(err.code === 'PROTOCOL_CONNECTION_LOST') { // Connection to the MySQL server is usually
handleDisconnect(); // lost due to either server restart, or a
} else { // connnection idle timeout (the wait_timeout
throw err; // server variable configures this)
}
});
}
handleDisconnect();