Qt线程
Qt4.7之前版本处理步骤
1.自定义一个类,继承于QThread。
1
2
3
4
5
6
7
8
9
10
11
12
|
class MyThread: public QThread{ public : vid run(); //虚函数 线程处理函数(和主线程不在同一个线程) signals: void isDone(); //信号 线程执行完发送 } void MyThread::run() { // 实现 -- 复杂的处理过程 emit isDome; // 发送线程 }; |
2.定义线程
1
|
MyThread thread; |
3.开启线程
1
|
thread.start(); |
不能通过直接调用run()函数,通过start()函数间接调用run()函数。
4.自定义线程结束槽函数
1
2
3
4
5
6
|
public : void dealDone(); —————————————————————— void Widget::dealDone(){ // 线程结束后的操作 } |
5.绑定线程结束信号和线程结束槽
1
|
connect(& thread ,&MyThread::isDone, this ,&Widget::dealDone); |
6.定义线程关闭槽函数
1
2
3
4
5
6
|
void Widget::stopThread(){ // 停止线程 thread ->quit(); // 等待线程运行完成之后结束 thread ->wait(); } |
建议不要使用terminate()容易出现内存问题
建议使用quit()
7.绑定窗口关闭信号和线程关闭槽函数
1
|
connect( this ,&Widget::destroyed, this ,&Widget::stopThread); |
新用法处理步骤
1.设定一个类,继承于QObject。
2.类中设置一个线程函数(只有一个函数是线程函数)和线程开始信号。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
|
class MyThread : public QObject { Q_OBJECT public : explicit MyThread(QObject *parent = nullptr); void run(); void start(); void stop(); signals: void myThreadrun(); private : bool isrun; public slots: }; void MyThread::run(){ while (isrun == true ) { QThread::sleep(1); emit myThreadrun(); qDebug() << "子线程:" << QThread::currentThread(); if (isrun == false ) break ; } } void MyThread::start() { qDebug() << "开始" ; this ->isrun = true ; } void MyThread::stop(){ qDebug() << "停止" ; this ->isrun = false ; } |
3.创建线程对象(不能指定对象)和 QThread子线程对象
1
2
3
4
5
|
MyThread *mythread; QThread * thread ; ------------------------------------------------------------------------------------------- this ->mythread = new MyThread; this -> thread = new QThread( this ); |
4.处理事件、鼠标按下开启和关闭事件、窗口关闭事件处理
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
|
void Widget::dealThread() { static int i = 0; i++; ui->lcdNumber->display(i); } void Widget::on_pushButton_strat_clicked() { if ( thread ->isRunning() == true ){ return ; } thread ->start(); mythread->start(); emit runThread(); } void Widget::on_pushButton_stop_clicked() { if ( thread ->isRunning() == false ){ return ; } mythread->stop(); thread ->quit(); thread ->wait(); } void Widget::dealThreadclose() { on_pushButton_stop_clicked(); delete mythread; } |
5.把自定义线程类加到子线程
mythread->moveToThread(thread);
connect(mythread,&MyThread::myThreadrun,this,&Widget::dealThread);
1
2
3
4
5
6
7
|
6. 启动子线程,只是把线程启动了,并没有启动线程处理函数。 ```C++ connect(mythread,&MyThread::myThreadrun, this ,&Widget::dealThread); connect( this ,&Widget::runThread,mythread,&MyThread::run); qDebug() << "主线程:" << QThread::currentThread(); connect( this ,&Widget::destroyed, this ,&Widget::dealThreadclose); |
到此这篇关于QT实现多线程两种方式案例详解的文章就介绍到这了,更多相关QT实现多线程两种方式内容请搜索服务器之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持服务器之家!
原文链接:https://blog.csdn.net/qq_43900551/article/details/109457676