我正在使用QGraphicsScene
PySide 中的 a 创建自定义绘图应用程序 - 我希望能够绘制复杂的形状并让用户通过鼠标与它们进行交互。为了实现这一点,我创建了一个自定义QGraphicsItem
调用Node
,它通过返回一个QPainterPath
对象来定义它的形状。图形场景使用此形状来决定鼠标何时进入对象。在 objectspaint
方法中,我只是使用QPainter
.
import math
import sys
import weakref
from numpy import *
from PySide.QtGui import *
from PySide.QtCore import *
class Node(QGraphicsItem):
Type = QGraphicsItem.UserType+1
def __init__(self, graphWidget, line):
super(self.__class__, self).__init__()
self.line = line
self.graph = weakref.ref(graphWidget)
self.setFlag(QGraphicsItem.ItemIsMovable)
self.newPos = QPointF()
self.setZValue(-1)
def boundingRect(self):
adjust = 10.0
return QRectF(self.line[0][0]-adjust, self.line[0][1]-adjust, 2*adjust + self.line[1][0]-self.line[0][0]+100,2*adjust+self.line[1][2]-self.line[0][3]+100)
def shape(self):
(x0,y0), (xn,yn) = p0, pn = self.line
dx,dy = xn-x0, yn-y0
dV = array([dx,dy])
mag_dV = linalg.norm(dV)
radius = 10
rotation = array( [[0,-1],[1,0]])
v = dot(rotation, dV) * radius / mag_dV
startAngle = arctan2(*v) * 180/pi + 90
path = QPainterPath()
path.setFillRule(Qt.WindingFill)
path.moveTo(*p0 - v)
path.addEllipse( x0-radius, y0-radius, 2*radius, 2*radius)
path.moveTo(*p0+v)
path.lineTo( QPoint(*pn+v))
path.arcTo( xn - radius, yn-radius, 2*radius, 2*radius, startAngle+180, 180)
path.lineTo(QPoint(*p0-v))
return path.simplified()
def paint(self, painter, option, widget):
painter.setPen(QPen(Qt.black))
painter.setBrush(Qt.darkGray)
painter.drawPath(self.shape())
class GraphWidget(QGraphicsView):
def __init__(self):
super(self.__class__, self).__init__()
self.timerId = 0
scene = QGraphicsScene(self)
scene.setItemIndexMethod(QGraphicsScene.NoIndex)
scene.setSceneRect(-200,-200,400,400)
self.setScene(scene)
self.setCacheMode(QGraphicsView.CacheBackground)
self.setRenderHint(QPainter.Antialiasing)
self.centerNode = Node(self, [[-100,-100],[0,-70]])
scene.addItem(self.centerNode)
self.centerNode.setPos(0,0)
self.scale(0.8,0.8)
self.setMinimumSize(400,400)
self.setWindowTitle(self.tr("Elastic Nodes"))
if __name__ == "__main__":
app = QApplication(sys.argv)
qsrand(QTime(0,0,0).secsTo(QTime.currentTime()))
widget = GraphWidget()
widget.show()
sys.exit(app.exec_())
我遇到的问题是如何将多边形变成一个实心形状。一个示例形状是这个带有圆形末端的矩形:
当我用椭圆而不是圆弧绘制圆形末端时,我得到了这个:
我想要实现的是多边形形状内包含的路径消失了,我所拥有的只是整个形状的轮廓,填充了纯色。我还想摆脱你看到的交替填充。从表面上看,这将允许我创建任意多边形,而无需计算每个精确的角度和交点。
到目前为止我已经尝试过:
我尝试的第一件事是使用path.setFillRule(Qt.WindingFill)
,它应该使所有内部空间都被填充而不是交替颜色。然而,这似乎并没有改变结果。
我尝试的第二件事是使用'path.simplified()',它应该完全符合我的要求。该命令的结果是:
我该如何克服这个问题?