2

我已经开始从 Zetcode 的示例中学习 PySide,并尝试编写具有两个窗口的应用程序:“Schematic View”,它是“Layout View”的父级,每个窗口都有菜单栏。在开始时应该只是示意图窗口,并且布局胜利应该通过切换到菜单栏根目录中的 LAYOUT 来启动。

我的问题是:

  1. 如何使根目录中的“switchtoLAYOUT”不显示下拉菜单,并且仍然只使用“布局视图”窗口的一个实例来执行操作?
  2. 如何在两个窗口(“switchtoLAYOUT”和“switchtoSCHEMATIC”)之间切换焦点?
  3. 请检查我的代码并建议我一些聪明的东西(这应该不难)。

编码:

import sys
from PySide import QtCore, QtGui

class schematicWindow(QtGui.QMainWindow):

    def __init__(self):
        super(schematicWindow, self).__init__()
        self.defineSchWin()

    def defineSchWin(self):               
        exitAction = QtGui.QAction('&Exit', self)
        exitAction.setShortcut('Ctrl+Q')
        exitAction.setStatusTip('Exit application')
        exitAction.triggered.connect(self.close)

        self.statusBar()

        menubar = self.menuBar()
        fileMenu = menubar.addMenu('&File')
        fileMenu.addAction(exitAction)
        menubar.addMenu('&Edit')
        menubar.addMenu('&Passives')
        menubar.addMenu('&Descretes')
        menubar.addMenu('&IC\'s')
        swToLayMenu = menubar.addMenu('switchtoLAYOUT')
        swToLayAction = QtGui.QAction(self)
        swToLayAction.triggered.connect(self.layoutWindow)
        swToLayMenu.addAction(swToLayAction)    # open layoutWindow (if not exists) 
                                                # and set focus to layoutWindow 

        self.setGeometry(0, 300, 500, 300)
        self.setWindowTitle('Schematic View')    
        self.show()

    def layoutWindow(self):
        window = QtGui.QMainWindow(self)
        window.setAttribute(QtCore.Qt.WA_DeleteOnClose)

        window.statusBar()
        menubar = window.menuBar()
        switchtoSchMenu = menubar.addMenu('switchtoSCHEMATIC')
        window.setGeometry(100, 600, 500, 300)
        window.setWindowTitle('Layout View')
        window.show()

def main():

    app = QtGui.QApplication(sys.argv)
    ex = schematicWindow()
    sys.exit(app.exec_())

if __name__ == '__main__':
    main()
4

1 回答 1

5

你需要在你的类中保留一个对布局窗口的引用,(你应该放在self.layout_window = None__init__。此函数现在检查窗口是否已初始化,如果尚未初始化,则创建它,确保它可见,然后将新窗口设置为活动窗口。类似的东西:(这未经测试)

def layoutWindow(self):
    if self.layout_window is None:
        window = QtGui.QMainWindow(self)
        self.layout_window = window
        window.setAttribute(QtCore.Qt.WA_DeleteOnClose)

        window.statusBar()
        menubar = window.menuBar()
        switchtoSchMenu = menubar.addMenu('switchtoSCHEMATIC')
        window.setGeometry(100, 600, 500, 300)
        window.setWindowTitle('Layout View')
    else:
        window = self.layout_window

    window.show()
    window.activateWindow()
    window.raise() # just to be sure it's on top

文档

于 2013-01-23T04:16:59.413 回答