qt 如何建立两个子线程执行两个函数
时间: 2023-12-10 16:03:34 浏览: 98
在Qt中,可以使用QThread类来实现多线程编程。以下是一个示例代码,展示如何创建两个子线程并执行两个函数:
```cpp
#include <QtConcurrent>
#include <QThread>
class MyWorker : public QObject {
Q_OBJECT
public slots:
void doWork() {
// 执行函数1的代码
// ...
}
void doMoreWork() {
// 执行函数2的代码
// ...
}
};
int main(int argc, char *argv[]) {
QCoreApplication app(argc, argv);
MyWorker worker1, worker2;
QThread thread1, thread2;
worker1.moveToThread(&thread1);
worker2.moveToThread(&thread2);
QObject::connect(&thread1, &QThread::started, &worker1, &MyWorker::doWork);
QObject::connect(&thread2, &QThread::started, &worker2, &MyWorker::doMoreWork);
thread1.start();
thread2.start();
return app.exec();
}
```
在这个示例中,我们首先定义了一个名为 `MyWorker` 的自定义 QObject 类,并在其中定义了两个槽函数 `doWork()` 和 `doMoreWork()`,分别代表两个要执行的函数。
然后,我们创建了两个 `QThread` 对象 `thread1` 和 `thread2`,以及两个 `MyWorker` 对象 `worker1` 和 `worker2`。我们将 `worker1` 和 `worker2` 移动到各自的线程中,以便它们可以在相应的线程上执行。
接着,我们使用 `QObject::connect()` 函数将 `thread1` 和 `worker1` 的 `started` 信号连接起来,以及将 `thread2` 和 `worker2` 的 `started` 信号连接起来。这样,当 `thread1` 和 `thread2` 启动时,它们会自动调用相应的槽函数。
最后,我们启动了两个线程,并在主线程中等待应用程序结束。
需要注意的是,由于Qt使用事件循环机制,因此在线程中执行的函数应该是可重入的,以避免可能发生的竞态条件。
阅读全文