QThread绑定函数
时间: 2024-10-22 07:01:53 浏览: 21
QT多线程的实现方式:QThread run优雅的创建与退出QT多线程
在Qt中,`QThread`并不直接支持将函数绑定到线程上,而是通常需要配合`QRunnable`或`QObject`一起工作。这是因为`QThread`本身主要是为了提供线程执行环境,而处理线程任务的具体逻辑则通常封装在独立的对象(如`QRunnable`或继承`QObject`的类)里。
如果你想让一个特定的函数在新的线程上执行,可以按照以下步骤操作:
1. 首先,定义一个类继承自`QObject`,并将你的函数作为它的槽函数:
```cpp
class MyRunnable : public QObject
{
Q_OBJECT
public:
explicit MyRunnable(QObject *parent = nullptr) : QObject(parent) {}
void runFunction()
{
// 这里是你想要在线程中执行的函数
customFunction();
}
signals:
void finishedRunning();
private slots:
void slotFinished()
{
emit finishedRunning(); // 当runFunction完成时发出信号
}
};
```
2. 在`runFunction`中执行你的函数,并在完成时发出一个信号,比如`finishedRunning()`。
3. 然后,在`QThread`中创建`MyRunnable`对象,并将其放入线程中执行:
```cpp
class MainWindow : public QMainWindow
{
public:
void startThread()
{
WorkerThread *thread = new WorkerThread(this);
MyRunnable *myRunnable = new MyRunnable(this);
connect(myRunnable, &MyRunnable::finishedRunning, thread, &QThread::quit); // 设置停止条件
connect(thread, &QThread::started, myRunnable, &MyRunnable::runFunction); // 开始运行
connect(myRunnable, &MyRunnable::finishedRunning, myRunnable, &QObject::deleteLater); // 退出线程后删除对象
thread->start();
}
};
class WorkerThread : public QThread
{
public:
explicit WorkerThread(QObject *parent = nullptr) : QThread(parent) {}
};
```
在这个例子中,`MyRunnable`类的`runFunction`会在新线程中运行,当其执行完毕时会触发`finishedRunning`信号,从而结束线程。
阅读全文