我有以下设置:
int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
// Create the DBManager that will live for the entire
// duration of the application
auto dbManagerThread = std::make_unique<QThread>();
auto dbManager = std::make_unique<DBManager>();
dbManager->moveToThread(dbManagerThread.get());
dbManagerThread->start();
// for the initialization of the application, create the
// InitHelper object that will utilize the DBManager
auto initHelper = new InitHelper();
auto initHelperThread = new QThread();
initHelper -> moveToThread(initHelperThread);
// wire InitHelper and its thread
QObject::connect(initHelperThread, &QThread::started, initHelper, &InitHelper::run);
QObject::connect(initHelper, &InitHelper::finished, [&initHelperThread] { initHelperThread->quit();});
QObject::connect(initHelper, &InitHelper::finished, initHelper, &InitHelper::deleteLater);
QObject::connect(initHelperThread, &QThread::finished, initHelperThread, &QThread::deleteLater);
// wire InitHelper and DBManager
QObject::connect(initHelper, &InitHelper::queryDB, dbManager.get(), &DBManager::processQuery);
QObject::connect(dbManager.get(), &DBManager::queryResult, initHelper, &InitHelper::processQueryResult);
// block until all information is gathered
initHelperThread->start();
initHelperThread->wait();
std::cout << "Initialization completed." << std::endl;
// cleanup
dbManagerThread->quit();
QObject::connect(dbManagerThread.get(), &QThread::finished, &a, &QCoreApplication::quit);
return a.exec();
}
我的想法是我有DBManager进行异步数据库访问,因此它在整个应用程序中使用。在应用程序初始化期间,我需要从数据库中检索一些信息,并且我希望使用现有的DBManager。
但是,由于我需要数据库中的信息来创建所有其他对象,我想阻止主线程的进一步执行,直到我的InitHelper从DBManager检索到所有必需的信息。
由于上面的代码完全符合预期,我不认为确实如何实现InitHelper和DBManager,我在这里省略了它们。
我觉得令人困惑的是,我需要在&#39;线InitHelper的第二行中使用lambda及其线程&#39;部分。如果我更换
QObject :: connect(initHelper,&amp; InitHelper :: finished,[&amp; initHelperThread] {initHelperThread-&gt; quit();});
通过
QObject :: connect(initHelper,&amp; InitHelper :: finished,initHelperThread,&amp; QThread :: quit);
显然线程永远不会关闭,所以&#34;初始化完成&#34;永远不会打印到标准输出。这是使用与lambda的连接时的输出:
InitHelper: Initialization started...
DBManager: processing query...
InitHelper: processing query result
Initialization completed.
而当直接连接到插槽时,我得到了这个输出:
InitHelper: Initialization started...
DBManager: processing query...
InitHelper: processing query result
有人知道为什么连接到lambda而不是直接连接到插槽时会有区别吗?如何在没有lambda的情况下编写连接?
答案 0 :(得分:1)
在您的代码中:
QObject::connect(initHelper, &InitHelper::finished, [&initHelperThread] { initHelperThread->quit();});
类似于:
QObject::connect(initHelper, &InitHelper::finished, initHelperThread, &QThread::quit, Qt::DirectConnection);
它基本上意味着你直接调用函数而不是使用事件循环。
我相信,原因是你的&#34;正确&#34;代码不起作用(即当你使用Qt :: QueuedConnection - 这是默认的)是因为你没有通过调用a.exec();
要解决这个问题,我会删除你的wait()函数并移动你的&#34; startup&#34;代码到一个启动类(有点像你的initHelper)。将initHelper完成的信号连接到启动类的start()函数(或任何你想要的函数)。
修改强>
你或许可以这样做(只是阅读类似内容):
int ret = a.exec();
initHelperThread->wait();
std::cout << "Initialization completed." << std::endl;
:
do other stuff
:
return ret;