多线程在QT中不起作用

时间:2015-12-04 10:22:37

标签: c++ qt

我正在使用GUI在QT中开发C ++应用程序。为了使GUI始终响应,我为其他阻塞过程创建了一个线程。但是,应用程序正在等待阻塞过程,因此GUI没有响应。 创建阻塞进程的线程是错误的方法吗? 或者它在QT中不起作用?如果是这样,如何让GUI响应?请举个例子。

1 个答案:

答案 0 :(得分:1)

这是一个带有响应式GUI的多线程应用程序的简单示例:

的main.cpp

#include "mainwindow.h"
#include <QApplication>

int main(int argc, char *argv[])
{
    QApplication a(argc, argv);
    MainWindow w;
    w.show();
    return a.exec();
}

mainwindow.h:

#ifndef MAINWINDOW_H
#define MAINWINDOW_H

#include <QMainWindow>
#include <QPushButton>
#include <QLineEdit>
#include <QThread>

class Worker : public QThread
{
protected:
    /// Wait 3s which simulates time demanding job.
    void run() { sleep(3); }
};

class MainWindow : public QMainWindow
{
    Q_OBJECT

public:
    MainWindow(QWidget *parent = 0);

public slots:
    void doJob(bool);
    void jobFinished();

private:
    Worker worker;
    QLineEdit *line;
    QPushButton *button;
    int counter;
};

#endif // MAINWINDOW_H

mainwindow.cpp

#include "mainwindow.h"
#include <QVBoxLayout>

MainWindow::MainWindow(QWidget *parent)
    : QMainWindow(parent),
      line(new QLineEdit()),
      button(new QPushButton()),
      counter(0)
{
    line->setDisabled(true);
    line->setAlignment(Qt::AlignRight);
    line->setText(QString::number(counter));
    button->setText("Push");

    connect(button, SIGNAL(clicked(bool)), this, SLOT(doJob(bool)));
    connect(&worker, SIGNAL(finished()), this, SLOT(jobFinished()));

    QVBoxLayout *layout = new QVBoxLayout;
    layout->addWidget(line);
    layout->addWidget(button);
    QWidget *window = new QWidget();
    window->setLayout(layout);
    setCentralWidget(window);
}    

void MainWindow::doJob(bool)
{
    // Only one thread is running at a time.
    // If you want a thread pool, the implementation is up to you :)
    worker.start();

    // Uncomment to wait. If waiting, GUI is not responsive.
    //worker.wait();
}

void MainWindow::jobFinished()
{
    ++counter;
    line->setText(QString::number(counter));
}

Qt有很好的多线程支持。您可能做错了什么,如果您不提供任何代码,我们无法帮助您。有很多方法可以实现&#34;响应&#34; GUI! (包括很多方法如何实现另一个线程!)