CtrlNode.jsに、何らかの理由( + C、例外、またはその他の理由)で、終了する直前に常に何かを実行するように指示したいと思います。
私はこれを試しました:
process.on('exit', function (){
console.log('Goodbye!');
});
私はプロセスを開始し、それを殺しましたが、何も起こりませんでした。もう一度起動し、Ctrl+を押しCても、何も起こりませんでした...
CtrlNode.jsに、何らかの理由( + C、例外、またはその他の理由)で、終了する直前に常に何かを実行するように指示したいと思います。
私はこれを試しました:
process.on('exit', function (){
console.log('Goodbye!');
});
私はプロセスを開始し、それを殺しましたが、何も起こりませんでした。もう一度起動し、Ctrl+を押しCても、何も起こりませんでした...
ハンドラーを登録してprocess.on('exit')
、その他の場合(SIGINT
または未処理の例外)に呼び出すことができますprocess.exit()
process.stdin.resume();//so the program will not close instantly
function exitHandler(options, exitCode) {
if (options.cleanup) console.log('clean');
if (exitCode || exitCode === 0) console.log(exitCode);
if (options.exit) process.exit();
}
//do something when app is closing
process.on('exit', exitHandler.bind(null,{cleanup:true}));
//catches ctrl+c event
process.on('SIGINT', exitHandler.bind(null, {exit:true}));
// catches "kill pid" (for example: nodemon restart)
process.on('SIGUSR1', exitHandler.bind(null, {exit:true}));
process.on('SIGUSR2', exitHandler.bind(null, {exit:true}));
//catches uncaught exceptions
process.on('uncaughtException', exitHandler.bind(null, {exit:true}));
以下のスクリプトでは、すべての終了条件に対して単一のハンドラーを使用できます。アプリ固有のコールバック関数を使用して、カスタムクリーンアップコードを実行します。
cleanup.js
// Object to capture process exits and call app specific cleanup function
function noOp() {};
exports.Cleanup = function Cleanup(callback) {
// attach user callback to the process event emitter
// if no callback, it will still exit gracefully on Ctrl-C
callback = callback || noOp;
process.on('cleanup',callback);
// do app specific cleaning before exiting
process.on('exit', function () {
process.emit('cleanup');
});
// catch ctrl+c event and exit normally
process.on('SIGINT', function () {
console.log('Ctrl-C...');
process.exit(2);
});
//catch uncaught exceptions, trace, then exit normally
process.on('uncaughtException', function(e) {
console.log('Uncaught Exception...');
console.log(e.stack);
process.exit(99);
});
};
このコードは、キャッチされなかった例外、Ctrl+Cおよび通常の終了イベントをインターセプトします。次に、終了する前に単一のオプションのユーザークリーンアップコールバック関数を呼び出し、単一のオブジェクトですべての終了条件を処理します。
モジュールは、別のイベントエミッターを定義する代わりに、プロセスオブジェクトを拡張するだけです。アプリ固有のコールバックがない場合、クリーンアップはデフォルトでnoop関数になります。Ctrlこれは、 +で終了するときに子プロセスが実行されたままになっている私の使用には十分でしたC。
必要に応じて、SIGHUPなどの他の終了イベントを簡単に追加できます。注:NodeJSのマニュアルによると、SIGKILLはリスナーを持つことができません。以下のテストコードは、cleanup.jsを使用するさまざまな方法を示しています
// test cleanup.js on version 0.10.21
// loads module and registers app specific cleanup callback...
var cleanup = require('./cleanup').Cleanup(myCleanup);
//var cleanup = require('./cleanup').Cleanup(); // will call noOp
// defines app specific callback...
function myCleanup() {
console.log('App specific cleanup code...');
};
// All of the following code is only needed for test demo
// Prevents the program from closing instantly
process.stdin.resume();
// Emits an uncaught exception when called because module does not exist
function error() {
console.log('error');
var x = require('');
};
// Try each of the following one at a time:
// Uncomment the next line to test exiting on an uncaught exception
//setTimeout(error,2000);
// Uncomment the next line to test exiting normally
//setTimeout(function(){process.exit(3)}, 2000);
// Type Ctrl-C to test forced exit
これは、処理できるすべての終了イベントをキャッチします。これまでのところ、非常に信頼性が高く、クリーンなようです。
[`exit`, `SIGINT`, `SIGUSR1`, `SIGUSR2`, `uncaughtException`, `SIGTERM`].forEach((eventType) => {
process.on(eventType, cleanUpServer.bind(null, eventType));
})
「exit」は、ノードがイベントループを内部で終了したときにトリガーされるイベントであり、プロセスを外部で終了したときにトリガーされません。
あなたが探しているのは、SIGINTで何かを実行することです。
http://nodejs.org/api/process.html#process_signal_eventsのドキュメントに例があります。
SIGINTをリッスンする例:
// Start reading from stdin so we don't exit.
process.stdin.resume();
process.on('SIGINT', function () {
console.log('Got SIGINT. Press Control-D to exit.');
});
注:これはsigintを中断するようであり、コードを終了するときにprocess.exit()を呼び出す必要があります。
function fnAsyncTest(callback) {
require('fs').writeFile('async.txt', 'bye!', callback);
}
function fnSyncTest() {
for (var i = 0; i < 10; i++) {}
}
function killProcess() {
if (process.exitTimeoutId) {
return;
}
process.exitTimeoutId = setTimeout(() => process.exit, 5000);
console.log('process will exit in 5 seconds');
fnAsyncTest(function() {
console.log('async op. done', arguments);
});
if (!fnSyncTest()) {
console.log('sync op. done');
}
}
// https://nodejs.org/api/process.html#process_signal_events
process.on('SIGTERM', killProcess);
process.on('SIGINT', killProcess);
process.on('uncaughtException', function(e) {
console.log('[uncaughtException] app will be terminated: ', e.stack);
killProcess();
/**
* @https://nodejs.org/api/process.html#process_event_uncaughtexception
*
* 'uncaughtException' should be used to perform synchronous cleanup before shutting down the process.
* It is not safe to resume normal operation after 'uncaughtException'.
* If you do use it, restart your application after every unhandled exception!
*
* You have been warned.
*/
});
console.log('App is running...');
console.log('Try to press CTRL+C or SIGNAL the process with PID: ', process.pid);
process.stdin.resume();
// just for testing
death
ここでパッケージについて言及したかっただけです: https ://github.com/jprichardson/node-death
例:
var ON_DEATH = require('death')({uncaughtException: true}); //this is intentionally ugly
ON_DEATH(function(signal, err) {
//clean up code here
})
async-exit-hookは、この問題を処理するための最新のソリューションのようです。これは、終了する前に非同期コードをサポートする、分岐/書き直されたバージョンのexit-hookです。
終了時に非同期のクリーンアップアクションを実行する必要がありますが、この質問の回答はどれもうまくいきませんでした。
だから私はそれを自分で試しました、そして最終的にこれを見つけました:
process.once('uncaughtException', async () => {
await cleanup()
process.exit(0)
})
process.once('SIGINT', () => { throw new Error() })
他の答えで遊んだ後、これがこのタスクの私の解決策です。この方法を実装すると、クリーンアップを1つの場所に集中化して、クリーンアップの二重処理を防ぐことができます。
const others = [`SIGINT`, `SIGUSR1`, `SIGUSR2`, `uncaughtException`, `SIGTERM`]
others.forEach((eventType) => {
process.on(eventType, exitRouter.bind(null, { exit: true }));
})
function exitRouter(options, exitCode) {
if (exitCode || exitCode === 0) console.log(`ExitCode ${exitCode}`);
if (options.exit) process.exit();
}
function exitHandler(exitCode) {
console.log(`ExitCode ${exitCode}`);
console.log('Exiting finally...')
}
process.on('exit', exitHandler)
デモの目的で、これは私の要点へのリンクです。このファイルに、setTimeoutを追加して、実行中のプロセスを偽造します。
実行node node-exit-demo.js
して何もしなかった場合、2秒後にログが表示されます。
The service is finish after a while.
ExitCode 0
Exiting finally...
それ以外の場合、サービスが終了する前に、で終了すると、次のctrl+C
ように表示されます。
^CExitCode SIGINT
ExitCode 0
Exiting finally...
何が起こったのかというと、ノードプロセスは最初にコードSIGINTで終了し、次にprocess.exit()にルーティングされ、最後に終了コード0で終了しました。
io.jsにはexit
とbeforeExit
イベントがあり、必要なことを実行します。
プロセスが別のノードプロセスによって生成された場合、次のようになります。
var child = spawn('gulp', ['watch'], {
stdio: 'inherit',
});
そして、あなたは後でそれを殺そうとします、経由:
child.kill();
これは、[子の]イベントを処理する方法です。
process.on('SIGTERM', function() {
console.log('Goodbye!');
});
これがWindowsの素晴らしいハックです
process.on('exit', async () => {
require('fs').writeFileSync('./tmp.js', 'crash', 'utf-8')
});