我是StackOverflow的新手,想知道我是否正确行事:
我正在编写一个简单的Qt应用程序来测试多线程(我也是一个全新的东西)。我创建了一个包含小部件的MainWindow,以及一个继承QThread并重写run()方法的类MyThread。
应用程序只显示两个按钮,“启动计数器”和“停止计数器”,以及一个文本字段。当按下“启动计数器”时,创建工作线程并在后台运行,在while循环中连续递增计数器并用更新的值发信号通知主线程(GUI所在的位置)。按下“停止计数器”时,会向主线程发送一个停止while循环的信号,计数器停止,直到再次按下“启动计数器”。
这完全没问题......但这是最好的方法吗?我是新手,并阅读了很多人说“不要继承QThread”和其他人说“子类QThread”,这有点令人困惑。如果这不是实现此类事情的最佳方式(在后台线程中使用“start”和“stop”按钮运行计算密集型循环),那是什么?如果我做错了,我该怎么做呢?我不想学错路。
谢谢!这是代码:
MyThread.h
#ifndef MYTHREAD_H
#define MYTHREAD_H
#include <QThread>
#include <QMutex>
class MyThread : public QThread
{
Q_OBJECT
public slots:
void stopRunning();
protected:
virtual void run();
signals:
void signalValueUpdated(QString);
private:
bool isRunning;
};
MyThread.cpp
#include "MyThread.h"
#include <QString>
void MyThread::run()
{
qDebug("Thread id inside run %d",(int)QThread::currentThreadId());
static int value=0; //If this is not static, then it is reset to 0 every time this function is called.
isRunning = 1;
while(isRunning == 1)
{
QString string = QString("value: %1").arg(value++);
sleep(1/1000); //If this isn't here, the counter increments way too fast and dies, or something; the app freezes, anyway.
emit signalValueUpdated(string);
}
}
void MyThread::stopRunning()
{
isRunning = 0;
}
MainWindow.h
#ifndef MAINWINDOW_H
#define MAINWINDOW_H
#include <QApplication>
#include <QPushButton>
#include <QHBoxLayout>
#include <QLineEdit>
#include "MyThread.h"
class MainWindow : public QWidget
{
Q_OBJECT
public:
MainWindow(QWidget *parent = 0);
private:
//Widgets
QHBoxLayout * boxLayout;
QPushButton * startButton;
QPushButton * stopButton;
QLineEdit * lineEdit;
MyThread thread;
};
#endif
MainWindow.cpp
#include "MainWindow.h"
MainWindow::MainWindow(QWidget *parent) : QWidget(parent)
{
boxLayout = new QHBoxLayout(this);
startButton = new QPushButton("Start Counter", this);
stopButton = new QPushButton("Stop Counter", this);
lineEdit = new QLineEdit(this);
boxLayout->addWidget(startButton);
boxLayout->addWidget(stopButton);
boxLayout->addWidget(lineEdit);
qDebug("Thread id %d",(int)QThread::currentThreadId());
//When the start button is pressed, invoke the start() method in the counter thread
QObject::connect(startButton,SIGNAL(clicked()),&thread,SLOT(start()), Qt::QueuedConnection);
//When the stop button is pressed, invoke the stop() method in the counter thread
QObject::connect(stopButton,SIGNAL(clicked()),&thread,SLOT(stopRunning()), Qt::QueuedConnection);
//When the counter thread emits a signal saying its value has been updated, reflect that change in the lineEdit field.
QObject::connect(&thread,SIGNAL(signalValueUpdated(const QString&)),lineEdit,SLOT(setText(const QString&)), Qt::QueuedConnection);
}
答案 0 :(得分:3)
大多数时候,QThread子类化是在Qt中进行线程化的错误方法。我建议你阅读article about threads, event loops and other,它可以让你知道如何以更好的方式在Qt中使用线程。但不要听任何人认为只有一种正确的方法来使用QThread。有两种方法,虽然通常不需要子类化,但有时它可能是有用的。您只需要使用非子类化方式,直到您真正需要子类。在您的特定情况下,您不需要子类化。
答案 1 :(得分:1)
将sleep(1/1000);
替换为msleep(100);
一切都会好的:)