0

我在我的程序中使用了这个函数:

void delay(QState * state1, int millisecond, QAbstractState * state2) 
{
   auto timer = new QTimer(state1);
   timer->setSingleShot(true);
   timer->setInterval(millisecond);

   QObject::connect(state1, &QState::entered, timer, static_cast<void (QTimer::*)()>(&QTimer::start));
   QObject::connect(state1, &QState::exited,  timer, &QTimer::stop);

   state1 -> addTransition(timer, SIGNAL(timeout()), state2);
}

我从一个示例中复制粘贴,但我不理解这部分代码:

QObject::connect(state1,..., static_cast<void (QTimer::*)()>(&QTimer::start));

任何人都可以向我解释这段代码是什么?它在程序中是如何工作的?

PS。我试图用这个来改变那个代码,但它没有用:

QTimer *timer = new QTimer(state1);
.
.  //same code as before
.
QObject::connect(stato1,&QState::entered,timer,[&] {timer->start();} );
QObject::connect(stato1,&QState::exited, timer,[&] {timer->stop(); } );

stato1 -> addTransition(timer,SIGNAL(timeout()),stato2);
4

1 回答 1

3

QTimer::start插槽有两个,一个不带参数,一个带int msec参数。要使用新的连接语法连接到正确的连接,您必须使用static_cast.

所以在这一行:

QObject::connect(state1, &QState::entered, timer, static_cast<void (QTimer::*)()>(&QTimer::start));

您连接到QTimer::start不带参数的插槽。

如果你有一个带int参数的信号并且你想连接到QTimer::start(int msec)插槽,你会这样做:

connect(this, &MyClass::mySignal, timer, static_cast<void (QTimer::*)(int)>(&QTimer::start));

您可以在此处阅读更多关于使用带有新连接语法的重载信号/插槽的信息。

您还可以使用qOverload来消除丑陋的需要static_cast

在您使用 lambda 表达式的代码片段中,您timer通过引用捕获。您应该改为按值捕获它:

QObject::connect(stato1, &QState::entered, timer, [=]{timer->start();});
于 2016-06-09T11:54:49.223 回答