我的问题是以下问题:我有2个类(mainwindow和mythread),我从mainwindow运行线程,我想从mythread显示我的mainwindow的QLabel:
mythread.cpp:
void mythread::run()
{
while(1)
{
this->read();
}
}
void mythread::read()
{
RF_Power_Control(&MonLecteur, TRUE, 0);
status = ISO14443_3_A_PollCard(&MonLecteur, atq, sak, uid, &uid_len);
if (status != 0){
//display Qlabel in mainwindow
}
}
mainwindow.cpp:
_thread = new mythread();
_thread->start();
答案 0 :(得分:3)
您应该使用Qt's signal/slot mechanism。该线程将发出一个信号,表明已读取新数据。任何感兴趣的对象都可以连接到该信号,并根据该信号执行操作。
这也适用于线程边界,如您的示例所示。在Qt中,要求只有主线程才能与UI元素进行交互。
这里是轮廓:
// Your mainwindow:
class MyWindow : public QMainWindow {
Q_OBJECT
// as needed
private slots:
void setLabel(const QString &t) { m_label->setText(t); }
};
// Your thread
class MyThread: public QThread {
Q_OBJECT
// as needed
signals:
void statusUpdated(const QString &t);
};
// in your loop
if (status != 0) {
emit statusUpdated("New Status!");
}
// in your mainwindow
_thread = new MyThread;
connect(_thread, &MyThread::statusUpdated, this, &MyWindow::setLabel);
_thread->start();