동적으로 생성 된 QMDiareAsubwindow 내에서 MatplotLib 선택 아티스트 이벤트를 처리하는 방법은 무엇입니까?(예제 - 부분적으로 일하고 있습니다)

StackOverflow https://stackoverflow.com//questions/22013920

문제

Python과 Matplotlib를 사용하여 QT4 응용 프로그램을 만들려고하지만, 나는 그 행동에 갇혀 있었는데, 그것은 나에게 아주 분명하지 않습니다.

이 응용 프로그램에는 다양한 Subwindows에서 동적으로 생성 된 그래프를 보유하고있는 QMDiAriArea가 있습니다.모든 것이 잘 작동하는 것 같지만 이전에 데이터를 플로팅하는 동안 이전에 정의 된 이벤트를 선택하는 예술가입니다.분명히 "Pick_Event"mpl_connection은 mainwindow 클래스 내에서 QMDiareAsubwindow 인스턴스를 만들 때 삭제됩니다.

흥미롭게됨에 따라 동일한 코드가 MainWinddow 응용 프로그램 외부에서 실행되는 경우

나는 행동을 재현하기 위해 내 코드의 단순화 된 버전을 썼다. 그리고 어쩌면 누군가가 내가 뭘 잘못하고있는 것의 단서를 줄 수 있었다.

환호!

#!/usr/bin/python
import sys
from PyQt4.QtGui import QWidget, QPushButton, QMainWindow, QMdiArea, QVBoxLayout, QApplication
from PyQt4.QtCore import Qt

from pylab import *
from matplotlib.backends.backend_qt4agg import (
    FigureCanvasQTAgg as FigureCanvas,
    NavigationToolbar2QTAgg as NavigationToolbar)
from matplotlib.backend_bases import key_press_handler


class MyMainWindow(QMainWindow):
    """ Defines a simple MainWindow with a QPushButton that plots a Random Wave Fucntion
    which must be shown in a Window within a QMdiArea Widget.
    """

    def __init__(self, parent=None):
        """
        """

        super(MyMainWindow,self).__init__(parent)
        self.setWidgets()

    def setWidgets(self, ):
        """ Createsthe QPushButton and QMdiArea Widgets, organising them in 
        QVBoxLayout as a central Widget of the MainWindow
        """

        vBox = QVBoxLayout()
        mainFrame = QWidget()

        self._plotGraphButton = QPushButton("Plot Graph")
        self._plotGraphButton.clicked.connect(self.plotRandom)

        self._mdiArea = QMdiArea()
        vBox.addWidget(self._plotGraphButton)
        vBox.addWidget(self._mdiArea)

        mainFrame.setLayout(vBox)
        self.setCentralWidget(mainFrame)


    # This is the function called when the Plot Graph Button is pressed
    #and where the Picking event does not work.
    # When the button is pressed a new window with the plot is shown, but
    #it is not possible to drag the rectangle patch with the mouse.
    def plotRandom(self, ):
        """ Generates and Plots a random wave function (+noise) embedding into a 
        QMdiAreaSubWindow.
        """
        print "Plotting!!"
        x = linspace(0,10,1000)
        w = rand(1)*10
        y = 100*rand(1)*sin(2*pi*w*x)+rand(1000)

        p = PlotGraph(x,y)
        child = self._mdiArea.addSubWindow(p.plotQtCanvas())
        child.show()



class PlotGraph(object):
    """
    """

    def __init__(self, x,y):
        """ This class plots the data and encapsulates the figure instance in a FigureCanvasQt4Agg,
        which can be used to create a QMdiArea SubWindow.
         A rectangle patch is added to the plot and linked to the methods that
        can drag it horizontally in the graph.

        Arguments:
        - `x`: Data
        - `y`: Data
        """
        self._x = x
        self._dx = x[1]-x[0]
        self._y = y


    def _createPlotWidget(self, ):
        """ Creates a figure and a NavigationBar organising them vertically into a QWidget,
        which can be used by a QMdiArea.addSubWindow method.
        """
        self._mainFrame = QWidget()

        self._fig = figure(facecolor="white")
        self._canvas = FigureCanvas(self._fig)
        self._canvas.setParent(self._mainFrame)
        self._canvas.setFocusPolicy(Qt.StrongFocus)

        # Standard NavigationBar and button press management
        self._mplToolbar = NavigationToolbar(self._canvas, self._mainFrame)
        self._canvas.mpl_connect('key_press_event', self.on_key_press)

        # Layouting
        vbox = QVBoxLayout()
        vbox.addWidget(self._canvas)  # the matplotlib canvas
        vbox.addWidget(self._mplToolbar)
        self._mainFrame.setLayout(vbox)

    def plotQtCanvas(self, ):
        """ Plots data using matplotlib, adds a draggable Rectangle and connects the dragging
        methods to the mouse events
        """
        self._createPlotWidget()
        ax = self._fig.add_subplot(111)
        ax.plot(self._x,self._y)
        ax.set_xlim(self._x[0],self._x[-1])
        ax.set_ylim(-max(self._y)*1.1,max(self._y)*1.1)

        xlim = ax.get_xlim()
        ylim = ax.get_ylim()

        wd = (xlim[1]-xlim[0])*0.1
        ht = (ylim[1]-ylim[0])

        rect = Rectangle((xlim[0],ylim[0]),wd,ht,alpha=0.3,color="g",picker=True)
        ax.add_patch(rect)


        # Connecting Events to Rectangle dragging methods
        self._canvas.mpl_connect("pick_event",self.on_pick)
        self._canvas.mpl_connect("button_release_event",self.on_release)

        return self._mainFrame

    def on_pick(self,event):
        """ Manages the Artist Picking event. This method register which 
        Artist was picked and connects the rectOnMove method to the mouse
        motion_notify_event SIGNAL.

        Arguments:
        - `event`:
        """
        if isinstance(event.artist, Rectangle):

            rectWd = event.artist.get_width()
            if event.mouseevent.button == 1:
                self._dragged = event.artist
                self._id = self._canvas.mpl_connect("motion_notify_event",self.rectOnMove)


    def rectOnMove(self, event):
        """ After being picked, updates the new position of the Artist.

        Arguments:
        - `event`:
        """
        rectWd = self._dragged.get_width()
        if event.xdata:
            i = event.xdata
            n2 = rectWd/2.0
            if i>=n2 and i<(self._x[-1]-n2):
                self._dragged.set_x(i-n2)
                self._canvas.draw()

    def on_release(self,event):
        """ When the mouse button is released, simply disconnect the
        SIGNAL motion_notify_event and the rectOnMove method.

        Arguments:
        - `event`:
        """
        self._canvas.mpl_disconnect(self._id)


    def on_key_press(self, event):
        # implement the default mpl key press events described at
        # http://matplotlib.org/users/navigation_toolbar.html#navigation-keyboard-shortcuts
        key_press_handler(event, self._canvas, self._mplToolbar)



if __name__ == '__main__':
    qApp = QApplication(sys.argv)
    MainWindow = MyMainWindow()

    # By calling the piece of code bellow everything works fine and the
    # the rectangle patch can be dragged, as expected.

    # This piece of code "theoretically" does the same thing as the 
    # method plotRandom() defined in the class MyMainWindow.
    print "Plotting!!"
    x = linspace(0,10,1000)
    w = rand(1)*10
    y = 100*rand(1)*sin(2*pi*w*x)
    ####################################################################

    p = PlotGraph(x,y)
    child = MainWindow._mdiArea.addSubWindow(p.plotQtCanvas())
    child.show()

    MainWindow.show()
    sys.exit(qApp.exec_())
.

도움이 되었습니까?

해결책

이것은 작동하지 않습니다 :

p = PlotGraph(x,y)
child = MainWindow._mdiArea.addSubWindow(p.plotQtCanvas())
child.show()
p = PlotGraph(x,y)
child = MainWindow._mdiArea.addSubWindow(p.plotQtCanvas())
child.show()
.

이 작품 :

p = PlotGraph(x,y)
child = MainWindow._mdiArea.addSubWindow(p.plotQtCanvas())
child.show()
p2 = PlotGraph(x,y)
child2 = MainWindow._mdiArea.addSubWindow(p2.plotQtCanvas())
child2.show()
.

편집 : 해결책 :

setwidgets

에서이 작업을 수행하십시오.

self.plotlist= []

plotRandom

self.plotlist.append (p)

이렇게하면 다른 문제가 해결됩니다.

on_release 함수에 추가

모든 mouseclick이 선택 도구 이벤트를 트리거하지 않으므로 화재가 발생하지 않으면 연결을 끊을 수 없습니다.

try:
    self._canvas.mpl_disconnect(self._id)
except AttributeError:
    pass
.

라이센스 : CC-BY-SA ~와 함께 속성
제휴하지 않습니다 StackOverflow
scroll top