我让孩子使用 unix 信号处理程序执行 Qt 清理代码。
这是一个高级解释:
- 父进程使用 QProcess 打开子进程
- 处理发生
- 父进程使用 QProcess::terminate() 关闭子进程,这会在子进程上引发 SIGTERM 信号
- 孩子为 SIGTERM 实现了一个 unix 信号处理程序
- 来自 unix 信号处理程序的 qApp->exit(0);发生
- qApp 发出一个 Qt 信号“aboutToQuit()”
- 将子进程 cleanup() 槽连接到 qApp aboutToQuit() 信号
处理 unix SIGTERM 信号的子进程代码:
static void unixSignalHandler(int signum) {
qDebug("DBG: main.cpp::unixSignalHandler(). signal = %s\n", strsignal(signum));
/*
* Make sure your Qt application gracefully quits.
* NOTE - purpose for calling qApp->exit(0):
* 1. Forces the Qt framework's "main event loop `qApp->exec()`" to quit looping.
* 2. Also emits the QCoreApplication::aboutToQuit() signal. This signal is used for cleanup code.
*/
qApp->exit(0);
}
int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
MAINOBJECT mainobject;
/*
* Setup UNIX signal handlers for some of the common signals.
* NOTE common signals:
* SIGINT: The user started the process on the command line and user ctrl-C.
* SIGTERM: The user kills the process using the `kill` command.
* OR
* The process is started using QProcess and SIGTERM is
* issued when QProcess::close() is used to close the process.
*/
if (signal(SIGINT, unixSignalHandler) == SIG_ERR) {
qFatal("ERR - %s(%d): An error occurred while setting a signal handler.\n", __FILE__,__LINE__);
}
if (signal(SIGTERM, unixSignalHandler) == SIG_ERR) {
qFatal("ERR - %s(%d): An error occurred while setting a signal handler.\n", __FILE__,__LINE__);
}
// executes mainbobject.cleanupSlot() when the Qt framework emits aboutToQuit() signal.
QObject::connect(qApp, SIGNAL(aboutToQuit()),
&mainobject, SLOT(cleanupSlot()));
return a.exec();
}
结论:
我确认此解决方案有效。
我认为这是一个很好的解决方案,因为:
- 让父进程以子进程执行清理的方式关闭子进程
- 如果父进程错误关闭并让子进程继续运行,用户/系统管理员可以使用命令杀死剩余
kill
的子进程,并且子进程在关闭之前仍会自行清理
ps“为什么不直接在信号处理程序入口点执行清理代码?”
简短的回答是因为你不能。这里解释了为什么你不能在 unix 信号处理函数中执行你的 Qt 清理代码。来自Qt 文档“从 Unix 信号处理程序调用 Qt 函数”:
您不能从 Unix 信号处理程序调用 Qt 函数。标准 POSIX 规则适用:您只能从信号处理程序调用异步信号安全函数。有关可以从 Unix 信号处理程序调用的函数的完整列表,请参阅信号操作。