我正在尝试运行后台线程(qthread),需要监视gui中的复选框,它将无法运行!它构建但在运行时我得到这个错误:
“program.exe中0x0120f494处的未处理异常:0xC0000005:访问冲突读取位置0xcdcdce55。”
它在“连接”线上断开。这样做的最佳方式是什么?
guiclass::guiclass(){
thread *t = new thread();
}
thread::thread(){
guiclass *c = new guiclass();
connect(c->checkBox, SIGNAL(stateChanged(int)), this, SLOT(checked(int)));
....
start work
....
}
bool thread::checked(int c){
return(c==0);
}
void thread::run(){
if(checked()){
do stuff
}
}
答案 0 :(得分:3)
任何QThread
对象的事件队列实际上都是由启动它的线程处理的,这非常不直观。常见的解决方案是创建一个“处理程序”对象(派生自QObject
),通过调用moveToThread
将其与工作线程关联,然后将复选框信号绑定到此对象的插槽。
代码看起来像这样:
class ObjectThatMonitorsCheckbox : public QObject
{
Q_OBJECT
// ...
public slots:
void checkboxChecked(int checked);
}
在创建线程的代码中:
QThread myWorkerThread;
ObjectThatMonitorsCheckbox myHandlerObject;
myHandlerObject.moveToThread(&myworkerThread);
connect(c->checkBox, SIGNAL(stateChanged(int)), &myHandlerObject,
SLOT(checkboxChecked(int)));
myWorkerThread.start();
一个关键点:不要继承QThread
- 所有实际工作都在你的处理程序对象中完成。
希望这有帮助!