通过ipython / jupyter notebook单元更新PyQt小部件

时间:2016-10-15 20:28:02

标签: events pyqt ipython jupyter

我有一个令人讨厌的问题,过去几个月我一直无法解决。基本上,我使用jupyter / ipython笔记本来调用pyqt并显示3d几何数据。这是我将应用程序初始化为对象的方式,在添加一些多边形和点之后,我调用show():

class Figure(object):
    '''
    Main API functions
    '''

    def __init__(self):
        print "... initializing canvas ..."
        self.app = QApplication(sys.argv)
        self.app.processEvents()
        ...

    def show(self):   #Show
        self.GUI = GLWindow(data)   
        self.app.exec_()

我想通过笔记本电脑小组不断地互动/更新小部件。但是一旦我在jupyter笔记本中调用show()命令,我就无法运行任何更多单元格或更新小部件,因为笔记本输出排队(?)并被锁定:

#Initialize figure object inside the notebook
fig = plb.figure()
...
fig.show()  #Locks out any further jupyter commands while widget on screen
fig.update() #Does not get executed until widget is closed

似乎通过笔记本调用的.show()函数放弃了对python内核(?)的控制,但它不清楚如何将其恢复,以及如何将其连接到正在显示的小部件。

鼠标和键盘事件确实与小部件交互,但它们使用小部件代码中的内部函数,如mouseMoveEvent():

    class GLWindow(QtGui.QWidget):

        def __init__(self, fig, parent=None):
            QtGui.QWidget.__init__(self, parent)

            self.glWidget = GLWidget(fig, parent=self)
            ...

    class GLWidget(QtOpenGL.QGLWidget):

            def __init__(self, fig, parent=None):
                QtOpenGL.QGLWidget.__init__(self, parent)
                ...

            def mouseMoveEvent(self, event):
                buttons = event.buttons()
                modifiers = event.modifiers()
                dx = event.x() - self.lastPos.x()
                dy = event.y() - self.lastPos.y()
                ...

我已尝试遵循相关建议,但我不了解如何使用小部件之外的连接或事件。

任何帮助都表示赞赏,我花了这么多时间试图解决这个令人尴尬的问题。猫

1 个答案:

答案 0 :(得分:4)

我在jupyter论坛的帮助下找到了解决方案。显然,笔记本中有一个运行时技巧,可以让你动态地与glwindow交互。很高兴终于解决这个问题......

https://github.com/ipython/ipython/blob/master/examples/IPython%20Kernel/gui/gui-qt.py

以下是整个功能,以防将来删除该示例:

#!/usr/bin/env python
"""Simple Qt4 example to manually test event loop integration.
This is meant to run tests manually in ipython as:

In [5]: %gui qt

In [6]: %run gui-qt.py

Ref: Modified from http://zetcode.com/tutorials/pyqt4/firstprograms/
"""

from PyQt4 import QtGui, QtCore

class SimpleWindow(QtGui.QWidget):
    def __init__(self, parent=None):
        QtGui.QWidget.__init__(self, parent)

        self.setGeometry(300, 300, 200, 80)
        self.setWindowTitle('Hello World')

        quit = QtGui.QPushButton('Close', self)
        quit.setGeometry(10, 10, 60, 35)

        self.connect(quit, QtCore.SIGNAL('clicked()'),
                     self, QtCore.SLOT('close()'))

if __name__ == '__main__':
    app = QtCore.QCoreApplication.instance()
    if app is None:
        app = QtGui.QApplication([])

    sw = SimpleWindow()
    sw.show()

    try:
        from IPython.lib.guisupport import start_event_loop_qt4
        start_event_loop_qt4(app)
    except ImportError:
        app.exec_()
相关问题