wxpython - 使用拖动鼠标绘制一条线

时间:2014-03-08 02:48:28

标签: python events wxpython line draw

正如标题所说,我试图绘制一条由2个鼠标事件定义的线。该行的起点应为onClick(),因此当单击鼠标左键并且该行的结束点应为onRelease()时。 我的基本想法是,我将调用两个事件:一个用于单击鼠标左键,另一个用于释放鼠标左键时。这应该模拟鼠标的“拖动”。我保存每个事件的坐标,在发生2个事件后,我想在保存的坐标之间画一条线。 这至少是我的基本想法...请注意:我是wxpython的新手,缺乏面向对象的知识,我现在正在努力修复。

我的代码出现以下错误:

Traceback (most recent call last):
  File "wxPaintingTest.py", line 49, in <module>
    frame = MyFrame()
  File "wxPaintingTest.py", line 20, in __init__
    self.paint(self.onClick.posx1, self.posy1, self.posx2, self.posy2)
AttributeError: 'function' object has no attribute 'posx1'



import wx


class MyFrame(wx.Frame):

    def __init__(self):

        wx.Frame.__init__(self, None, -1, 'draw line', (500, 500))

        panel = wx.Panel(self, -1)
        panel.Bind(wx.EVT_LEFT_DOWN, self.onClick)
        panel.Bind(wx.EVT_LEFT_UP, self.onRelease)
        wx.StaticText(panel, -1, "Pos:", pos=(10, 12))
        self.posClick = wx.TextCtrl(panel, -1, "", pos=(40, 10))
        self.posRelease = wx.TextCtrl(panel, -1, "", pos=(40, 10))



        self.paint(self.onClick.posx1, self.onClick.posy1, self.onRelease.posx2, self.onRelease.posy2)

    def onClick(self, event):
        pos = event.GetPosition()
        self.posx1 = pos.x
        self.posy1 = pos.y
        self.posClick.SetValue("%s, %s" % (pos.x, pos.y))

    def onRelease(self, event):
        pos = event.GetPosition()
        self.posx2 = pos.x
        self.posy2 = pos.y
        self.posRelease.SetValue("%s, %s" % (pos.x, pos.y))

    def paint(self, pos1, pos2, pos3, pos4):
        dc = wx.PaintDC(self.panel)
        dc.SetPen(wx.Pen('blue', 4))
        dc.DrawLine(pos1, pos2, pos3, pos4)


if __name__ == '__main__':
    app = wx.App()
    frame = MyFrame()
    frame.Show(True)
    app.MainLoop()

为什么说该函数没有属性?我只是不明白。

(有人可以说我的基本蓝图是否会成功,或者它是否已经是错误的方法?)

祝你好运

1 个答案:

答案 0 :(得分:0)

在init调用!!中调用paint()时,你还没有定义posx1。

首先你要这样称呼:

self.paint(self.posx1, self.posy1, self.posx2, self.posy2)

获取您在鼠标事件中设置的变量。其次,在调用paint()和init结束之前,这些变量没有设置。所以在调用paint()之前将它们设置为某种东西。

posx1 = None
posy1 = None
posx2 = None
posy2 = None

self.paint(self.posx1, self.posy1, self.posx2, self.posy2)

然后在paint中确保你没有使用None值..

def paint(self, pos1, pos2, pos3, pos4):
   if (pos1 is not None and pos2 is not None and 
       pos3 is not None and pos4 is not None):
        dc = wx.PaintDC(self.panel)
        dc.SetPen(wx.Pen('blue', 4))
        dc.DrawLine(pos1, pos2, pos3, pos4)

第三,你不需要像这样传递成员变量..这样做:

def paint(self):
   if (self.posx1 is not None and self.posy1 is not None and 
       self.posx2 is not None and self.posy2 is not None):
        dc = wx.PaintDC(self.panel)
        dc.SetPen(wx.Pen('blue', 4))
        dc.DrawLine(self.posx1, self.posy1, self.posx2, self.posy2)

最后,自己强制执行paint()调用并不是一个好主意。 wx已经有一个“paint”调用OnPaint()。通常这样做的方法是:wxpython会在准备好使用OnPaint()绘制到屏幕时调用你,并重载OnPaint()以执行你想要的操作。

请参阅此示例:http://wiki.wxpython.org/VerySimpleDrawing

祝你好运