3

我正在尝试制作一个需要像老虎机一样循环图像的应用程序。我按它们需要循环的顺序排列图像,稍后当按下按钮时,它们需要停在某个位置。我知道我可以使用 QPixmap 并以指定的间隔重绘,尽管我很确定有一种更有效的方法。我想要做的是以恒定的速度无限循环图像,一旦按下按钮,我将计算在哪个图像停止,开始减慢动画并在 x 秒内停止在预定义的索引处。我认为这里可以使用 Qt Animation Framework。我只是不确定如何进行无限循环。提前致谢。

4

1 回答 1

1

我写的一个非常简化的代码版本:

它是一个显示动画文本和几乎你想要的东西的小部件。

class Labels : public QFrame {
    Q_OBJECT
    Q_PROPERTY( int offset READ offset WRITE setOffset )
public:
    /* The property used to animate the view */
    int off;
    QStringList texts;
    Label() : QFrame() {
        texts << "text 1" << "text 2" << "text 3" << "text 4";
        setFixedSize( 200, 200 );
    }
    void paintEvent(QPaintEvent *) {
        QPainter painter( this );
        int x = 20;
        int y = 20;
        foreach( QString str, texts ) {
            int y1 = y + off;
            /* Used to draw the texts as a loop */
            /* If texts is underneath the bottom, draw at the top */
            if ( y1 > height() ) { 
                y1 -= height();
            }
            painter.drawText( x, y1, str );
            y+= 50;
        }
    }

    int offset() {
        return off;
    }

    void setOffset( int o ) {
        off = o;
        update();
    }
};

主要的 :

int main( int argc, char **argv) {
    QApplication app(argc, argv, true);
    Labels l;
    l.show();

    /* Animated the view */
    QPropertyAnimation *animation = new QPropertyAnimation(&l,"offset");
    animation->setLoopCount( -1 ); /* infinite loop */
    animation->setDuration(2000);
    animation->setStartValue(0.0);
    animation->setEndValue(200.0);
    animation->start();
    return app.exec();
}

最难的是计算最大偏移量......

于 2013-03-01T15:52:47.760 回答