我有一个添加了QGraphicsScene
的{{1}}。假设我单击了绘制绿色圆圈的地图图像(QGraphicsItem
)。如何获得此QGraphicsItem
而非QGraphicsItem
坐标系的点击位置。
P.S。请不要用鼠标事件处理来编写代码。只是如何正确映射点击位置。预先感谢。
答案 0 :(得分:1)
想法是将相对于场景的坐标转换为相对于项目的坐标。
使用QGraphicsItem的mapFromScene()方法:
from PyQt5 import QtCore, QtGui, QtWidgets
import random
class Scene(QtWidgets.QGraphicsScene):
def __init__(self, parent=None):
super(Scene, self).__init__(parent)
pixmap = QtGui.QPixmap(100, 100)
pixmap.fill(QtCore.Qt.red)
self.pixmap_item = self.addPixmap(pixmap)
# random position
self.pixmap_item.setPos(*random.sample(range(-100, 100), 2))
def mousePressEvent(self, event):
items = self.items(event.scenePos())
for item in items:
if item is self.pixmap_item:
print(item.mapFromScene(event.scenePos()))
super(Scene, self).mousePressEvent(event)
if __name__ == '__main__':
import sys
app = QtWidgets.QApplication(sys.argv)
scene = Scene()
w = QtWidgets.QGraphicsView(scene)
w.resize(640, 480)
w.show()
sys.exit(app.exec_())
使用QGraphicsItem的mapFromScene()方法和mapToScene():
from PyQt5 import QtCore, QtGui, QtWidgets
import random
class View(QtWidgets.QGraphicsView):
def __init__(self, parent=None):
super(View, self).__init__(QtWidgets.QGraphicsScene(), parent)
pixmap = QtGui.QPixmap(100, 100)
pixmap.fill(QtCore.Qt.red)
self.pixmap_item = self.scene().addPixmap(pixmap)
# random position
self.pixmap_item.setPos(*random.sample(range(-100, 100), 2))
def mousePressEvent(self, event):
items = self.items(event.pos())
for item in items:
if item is self.pixmap_item:
print(item.mapFromScene(self.mapToScene(event.pos())))
super(View, self).mousePressEvent(event)
if __name__ == '__main__':
import sys
app = QtWidgets.QApplication(sys.argv)
w = View()
w.resize(640, 480)
w.show()
sys.exit(app.exec_())
from PyQt5 import QtCore, QtGui, QtWidgets
import random
class PixmapItem(QtWidgets.QGraphicsPixmapItem):
def mousePressEvent(self, event):
print(event.pos())
super(PixmapItem, self).mousePressEvent(event)
if __name__ == '__main__':
import sys
app = QtWidgets.QApplication(sys.argv)
scene = QtWidgets.QGraphicsScene()
w = QtWidgets.QGraphicsView(scene)
pixmap = QtGui.QPixmap(100, 100)
pixmap.fill(QtCore.Qt.red)
item = PixmapItem(pixmap)
scene.addItem(item)
item.setPos(*random.sample(range(-100, 100), 2))
w.resize(640, 480)
w.show()
sys.exit(app.exec_())