如何在另一个 Qt 线程上 运行 它?

How to run it on another Qt thread?

考虑到 Qthread,我尝试了以下操作,但似乎所有内容仍然 运行 在同一个线程中。

main.cpp

#include "widget.h"

#include <QApplication>

#include "core.h"

int main(int argc, char *argv[])
{
    QApplication a(argc, argv);

    qDebug() << Q_FUNC_INFO << QThread::currentThreadId();

    Core core;

    Widget w(core);
    w.show();

    return a.exec();
}

func.h

#ifndef FUNC_H
#define FUNC_H

#include <QDebug>
#include <QThread>

class Func : public QObject
{
    Q_OBJECT
public:
    explicit Func()
    {
        qDebug() << Q_FUNC_INFO << QThread::currentThreadId();
    }

    void compute()
    {
        qDebug() << Q_FUNC_INFO << QThread::currentThreadId();
    }
};

#endif // FUNC_H

core.h

#ifndef CORE_H
#define CORE_H

#include <QObject>

#include "func.h"

class Core : public QObject
{
    Q_OBJECT

    QThread thread;
    Func* func = nullptr;

public:
    explicit Core(QObject *parent = nullptr)
    {
        func = new Func();
        func->moveToThread(&thread);
        connect(&thread, &QThread::finished, func, &QObject::deleteLater);
        thread.start();
    }

    ~Core() {
        thread.quit();
        thread.wait();
    }

public slots:
    void compute(){func->compute();}

signals:

};

#endif // CORE_H

widget.h

#ifndef WIDGET_H
#define WIDGET_H

#include <QWidget>

#include "core.h"

class Widget : public QWidget
{
    Q_OBJECT
public:
    Widget(Core& core)
    {
        qDebug() << Q_FUNC_INFO << QThread::currentThreadId();

        core.compute(); // This should run on a different thread ?
    }

};

#endif // WIDGET_H

运行 我得到输出:

int main(int, char **) 0x107567e00
Func::Func() 0x107567e00
Widget::Widget(Core &) 0x107567e00
void Func::compute() 0x107567e00

以上输出来自 macOS,但在 Windows 中我得到了类似的结果。

那我做错了什么?

您不能直接调用插槽 compute(),它会在与 运行 调用它的代码相同的线程中调用它(如您在输出中所见)。

您需要通过 signals/slots 机制(或使用 invokeMethod() 来 运行 插槽,但让我们忽略这个。

通常这是通过将线程的 started() 信号连接到插槽然后从主线程调用 QThread::start() 来完成的。这将导致在线程启动后立即在辅助线程中调用插槽。