QThread线程详细用法
在做GUI界面编程的时候一般都会遇到 耗时的操作,导致 主线程(GUI线程)卡住,一般的操作是将该耗时操作移动到 工作线程中执行。若是需要同GUI进行交互(比如拷贝一个大文件需要显示进度条),这个时候可以采用Qt自带的线程管理类函数Qthread。
详细说明
QThread类提供了一种独立于平台的线程管理方法。
一个QThread对象管理程序中的一个控制线程。
说白了Qthread只是一个中介者,起到代管作用。
打个比方,你是老板要找瓦匠给你砌墙,可你不认识瓦匠,也不知道如何和他们沟通。(不会使用原生线程)
为了方便快捷,你就找个劳务中心让他们帮你找瓦匠,你会和劳务中心沟通就可以了。(使用QThread线程管理类)
方法I:继承Qthred
//WorkerThread.h
#ifndef _WORKERTHREAD_
#define _WORKERTHREAD_
#include <QThread>
class WorkerThread : public QThread
{
Q_OBJECT
public:
explicit WorkerThread ();
~WorkerThread ();
void stop();
signals:
void progress(const int value);
private:
void run(); //虚函数
private:
bool m_stopFlag;
};
#endif
你需要把线程的执行代码写到管理类的run函数内,线程会回调run函数。
就像你和劳务中心签合同,合同上有一栏是写瓦匠的工作内容(执行代码)一样
//WorkerThread.cpp
void WorkerThread::WorkerThread()
: QThread()
, m_stopFlag(false)
{
}
void WorkerThread::~WorkerThread()
{
}
void WorkerThread::stop()
{
m_stopFlag = true;
this->quit();
this->wait();
}
void WorkerThread::run()
{
//该线程管理类对应的线程实际运行代码位置
int value = 0;
while (!m_stopFlag) {
//do something
emit progress(value);
usleep(100);
}
}
//*.cpp
//使用方法
//1、声明WorkerThread对象
WorkerThread m_workerThread;
//2、在你需要的地方直接调用QThread内部接口start()告知Qt系统帮你干杂七杂八的活
connect(&m_workerThread, SIGNAL(progress(int)), SLOT(slot_progress(int)));
m_workerThread.start();
//3、结束后记得让Qt系统帮你擦干净屁股
m_workerThread.stop();
加m_stopFlag可以让瓦匠一直工作,直到你觉得合格为止(万恶的资本主义社会),你觉得可以结束了,就调用stop结束即可。
下述是对stop函数详细说明
this->quit();
因为是Qt劳务中心,结束要先告知劳务中心结束合同(退出事件循环)
this->wait();
你需要等瓦匠收工,打扫干净地面,才能回到自己家里
该接口堵塞直到超时或者线程执行完退出,同 pthread_join()。
最后一点你需要清楚,m_workerThread的全部接口,若你直接调用,实际上还是在GUI线程内(是你定义声明的线程 )运行。只有通过start() 让对应的线程回调run接口才是在其线程内运行。所以若有关键变量需要加锁。
方法II:move to thread
4.8版本之后官方推荐该方法,不知道为什么,其实都是一样的,写法不一样而已。
来看官方Demo
class Worker : public QObject
{
Q_OBJECT
QThread workerThread;
public slots:
void doWork(const QString ¶meter) {
// ...
emit resultReady(result);
}
signals:
void resultReady(const QString &result);
};
class Controller : public QObject
{
Q_OBJECT
QThread workerThread;
public:
Controller() {
Worker *worker = new Worker;
worker->moveToThread(&workerThread);
connect(workerThread, SIGNAL(finished()), worker, SLOT(deleteLater()));
connect(this, SIGNAL(operate(QString)), worker, SLOT(doWork(QString)));
connect(worker, SIGNAL(resultReady(QString)), this, SLOT(handleResults(QString)));
workerThread.start();
}
~Controller() {
workerThread.quit();
workerThread.wait();
}
public slots:
void handleResults(const QString &);
signals:
void operate(const QString &);
};
QObject对象都有个moveToThread接口,可以把自己推送到Qthread内,其实就是给了权限,还可以正常调用worker的函数接口。
对应线程的回调函数是通过信号与槽技术传递到Qt系统内
connect(this, SIGNAL(operate(QString)), worker, SLOT(doWork(QString)));
资源回收等也是通过类似技术。
connect(workerThread, SIGNAL(finished()), worker, SLOT(deleteLater()));
这点其实很重要,若采样方法I没有处理好资源释放,可能会导致在事件循环结束之前(每一个Qt线程都有事件循环队列)释放了相关资源,导致Qt程序崩溃。