我想创建一个具有自己的QTimer和QThread的类,用于Robot的传感器的一些项目。经过一番搜索,这就是我想出来的
#include <QCoreApplication>
#include <QTimer>
#include <QThread>
#include <QObject>
#include <QDebug>
//#####################( Robot Class )#########################3
class Robot : public QObject
{
public:
Robot(QObject *parent = 0);
~Robot();
private:
QTimer *mQTimer;
QThread *mQThread;
public slots:
void update();
};
Robot::Robot(QObject *parent)
: QObject(parent)
{
mQTimer = new QTimer(0);
mQThread = new QThread(this);
mQTimer->setInterval(1);
mQTimer->moveToThread(mQThread);
connect(mQTimer, SIGNAL(timeout()), this, SLOT(update()));
connect(mQThread, SIGNAL(started()), mQTimer, SLOT(start()));
mQThread->start();
//mQTimer->start();
}
Robot::~Robot()
{
delete mQTimer;
delete mQThread;
}
void Robot::update()
{
qDebug() << "Robot is updating ...";
}
//##################( Main )###########################
int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
Robot *myRobot = new Robot(0);
return a.exec();
}
我收到此错误
QObject::connect: No such slot QObject::update() in ..\untitled1\main.cpp:34
QObject::connect: No such slot QObject::update() in ..\untitled1\main.cpp:34
答案 0 :(得分:3)
您缺少类中的Q_OBJECT宏也试图避免命名这样的方法,因为您可以将它与Qt方法名称混合使用。另外,为你在这种情况下创建的每个类创建额外的头文件和cpp文件make robtot.h和robot.cpp。
class Robot : public QObject
{
Q_OBJECT
public:
Robot(QObject *parent = 0);
~Robot();
...
答案 1 :(得分:1)
以下适用于我。您忘记了Q_OBJECT
宏并包含了定义Robot
的静态元数据的moc输出。
这个代码当然没有意义,因为Robot::update
槽将在主线程中执行。
您的代码有两个主题:Robot
对象所在的主线程和计时器所在的robot.mThread
。计时器将在mThread
超时,并将在主线程上对一个槽调用进行排队。该插槽调用将最终在堆栈上使用robot.update
调用a.exec
。
请注意,不需要使用new
显式地在堆上分配定时器和线程。他们应该是Robot
或其PIMPL的直接成员。
#include <QCoreApplication>
#include <QTimer>
#include <QThread>
#include <QDebug>
class Robot : public QObject
{
Q_OBJECT
QTimer mTimer;
QThread mThread;
public:
Robot(QObject *parent = 0) : QObject(parent) {
connect(&mTimer, &QTimer::timeout, this, &Robot::update);;
mTimer.start(1000);
mTimer.moveToThread(&mThread);
mThread.start();
}
Q_SLOT void update() {
qDebug() << "updating";
}
};
int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
Robot robot;
return a.exec();
}
#include "main.moc"
将整个机器人移动到自己的线程会更有意义。请注意,当您这样做时,您需要在机器人拥有的所有对象上设置父级,以便它们都与Robot
对象一起切换线程。
Thread
类修复了QThread
的长期可用性错误 - 它将它变成真正的RAII类,可以随时安全地进行破坏。
#include <QCoreApplication>
#include <QTimer>
#include <QThread>
#include <QDebug>
class Thread : public QThread {
using QThread::run;
public:
~Thread() { quit(); wait(); }
};
class Robot : public QObject
{
Q_OBJECT
QTimer mTimer;
int mCounter;
public:
Robot(QObject *parent = 0) : QObject(parent), mTimer(this), mCounter(0) {
connect(&mTimer, &QTimer::timeout, this, &Robot::update);;
mTimer.start(1000);
}
Q_SLOT void update() {
qDebug() << "updating";
if (++mCounter > 5) qApp->exit();
}
};
int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
Robot robot;
Thread thread;
robot.moveToThread(&thread);
thread.start();
return a.exec();
}
#include "main.moc"