I want to dump data to a file on program termination, whether it be "Ctrl-C" or some other means in Linux.
Not sure how to capture the program closing or terminating event/s?
QCoreApplication (およびQApplication ) には、アプリケーションがメイン イベント ループを終了しようとしているときに発行されるシグナルaboutToQuit()があります。データをダンプするスロットに接続すれば問題ありません。
Linux スタイルのシグナルを処理する必要があります。注 - クロス プラットフォームにしようとしている場合、これは Windows または Mac では機能しません。
Qt の記事Calling Qt Functions From Unix Signal Handlersを参照してください。
記事から抽出された最小限のセットアップ例を次に示します。
class MyDaemon : public QObject
{
...
public:
static void hupSignalHandler(int unused);
public slots:
void handleSigHup();
private:
static int sighupFd[2];
QSocketNotifier *snHup;
};
MyDaemon::MyDaemon(...)
{
if (::socketpair(AF_UNIX, SOCK_STREAM, 0, sighupFd))
qFatal("Couldn't create HUP socketpair");
snHup = new QSocketNotifier(sighupFd[1], QSocketNotifier::Read, this);
connect(snHup, SIGNAL(activated(int)), this, SLOT(handleSigHup()));
}
static int setup_unix_signal_handlers()
{
struct sigaction hup;
hup.sa_handler = MyDaemon::hupSignalHandler;
sigemptyset(&hup.sa_mask);
hup.sa_flags = 0;
hup.sa_flags |= SA_RESTART;
if (sigaction(SIGHUP, &hup, 0) > 0)
return 1;
return 0;
}
void MyDaemon::hupSignalHandler(int)
{
char a = 1;
::write(sighupFd[0], &a, sizeof(a));
}
void MyDaemon::handleSigHup()
{
snHup->setEnabled(false);
char tmp;
::read(sighupFd[1], &tmp, sizeof(tmp));
// do Qt stuff
snHup->setEnabled(true);
}