在QGraphicsScene中移动QGraphicItems的有效方法

时间:2018-12-17 00:01:25

标签: python pyqt pyqt5 qgraphicsview qgraphicsscene

我正在使用pyqt5开发视频播放器。我在场景内使用QGraphicsVideoItem。在此视频项目的顶部,我还需要在每个新帧上在场景中移动一些多边形。他们跟踪视频中的内容。理想情况下,我不要让它们以30 fps的速度移动。我进行了一次测试,以30 fps的速度将1个多边形移动了1个像素。我使用QGraphicsPolygonItem中的setPos()函数完成了此操作。这是可行的,但是它非常不实用,每次多边形被重新绘制之前,您都可以看到它闪烁白色。我认为发生这种情况是因为我太快了。另外,此操作在线程中并行运行。

我想知道的是,是否有一种方法可以通过打开“ QGraphicsItem.ItemIsSelectable”和“ QGraphicsItem.ItemIsMovable”标志并手动移动该项目来以与移动多边形相同的方式进行移动。这非常顺利,这是我想要实现的目标。

我还尝试将这些点保持静止,而不是移动QGraphicsVideoitem,这有点奏效(移动更稳定,没有闪烁的白色),但是我无法使场景集中在videoItem上。我尝试使用“ setFocus”,但这没用。

谢谢。

1 个答案:

答案 0 :(得分:2)

在这些情况下,不建议逐帧移动每个帧中的项目,最好每n帧移动一次,这样移动就很平滑,因为必须对其进行插值,才能使用QVariantAnimation。下面的示例每300毫秒随机产生一次多边形。

import random
from PyQt5 import QtCore, QtGui, QtWidgets

class GraphicsPolygonItem(QtWidgets.QGraphicsPolygonItem):
    def moveTo(self, next_pos, duration=250):
        self._animation = QtCore.QVariantAnimation(
            duration = duration,
            valueChanged = self.setPos,
            startValue = self.pos(),
            endValue = next_pos)
        self._animation.start(QtCore.QAbstractAnimation.DeleteWhenStopped)

class GraphicsView(QtWidgets.QGraphicsView):
    def __init__(self, parent=None):
        super(GraphicsView, self).__init__(parent)
        _scene = QtWidgets.QGraphicsScene(QtCore.QRectF(-250, -250, 500, 500), self)
        self.setScene(_scene)
        self.scene().addRect(self.sceneRect(), brush=QtGui.QBrush(QtCore.Qt.green))
        polygon = QtGui.QPolygonF()
        polygon << QtCore.QPointF( 10, 10 ) << QtCore.QPointF( 0, 90 ) \
                << QtCore.QPointF( 40, 70 ) << QtCore.QPointF( 80, 110 ) \
                << QtCore.QPointF( 70, 20 )

        self._interval = 300

        self.poly_item = GraphicsPolygonItem(polygon)
        self.poly_item.setBrush(QtGui.QBrush(QtCore.Qt.red))
        self.scene().addItem(self.poly_item)
        timer = QtCore.QTimer(self, interval=self._interval, timeout=self.on_timeout)
        timer.start()

    def on_timeout(self):
        p = QtCore.QPointF(
            random.randint(self.sceneRect().left(), self.sceneRect().right()), 
            random.randint(self.sceneRect().top(), self.sceneRect().bottom()))
        self.poly_item.moveTo(p, self._interval)

if __name__ == '__main__':
    import sys
    app = QtWidgets.QApplication(sys.argv)
    w = GraphicsView()
    w.resize(720, 720)
    w.show()
    sys.exit(app.exec_())