我用 QT python 构建了很多非常基本的 QT 重复程序,然后用 py2exe 编译它们。这些被我在控制器的同事用于另一个程序。我想知道如何构建一个 python 解释器,它将简单的命令转换为实际的 python 代码,类似于 Processing 将简化代码转换为 java 的方式。
例如,“简单代码”文件可能是:
slider('Distance', 'dist', 50, 100, 'int')
button('Apply Changes', 'apply')
然后我将使用以下类型将其解释为 pyQT 程序形式:
slider(label, name, min, max, type)
button(label, name)
这些都将被写入新的 python 文件,运行时会生成适当的表单。我坚持的部分是如何将“简单代码”解释为python代码。
提前致谢
解决方案#1
下面的代码使用 SPEN-zar 的正则表达式和拆分思想来识别小部件类型,然后解析输入以生成必要的输出。显然,这将被扩展以生成真正的 pyQT 文件,但这是基本逻辑的基本演示。
感谢您的帮助。
import re
input = ["slider('Distance', 'dist', 50, 100, 'int')", "button('Apply Changes', 'apply')"]
pattern = r"([a-z]+)\s*\((.*)\)"
rexp = re.compile(pattern)
for line in input:
content = rexp.findall(line)
if content[0][0] == 'slider':
params = content[0][1].split(',')
name = params[0]
label = params[1]
minimum = float(params[2])
maximum = float(params[3])
print 'Slider Type: name-%s, label-%s, min-%f, max-%f' % (name, label, minimum, maximum)
elif content[0][0] == 'button':
params = content[0][1].split(',')
name = params[0]
label = params[1]
print 'Button Type: name-%s, label-%s' % (name, label)
else:
print 'This widget type is not recognized'
解决方案#2
在对搅拌机的建议进行了进一步研究之后,我修改了下面的代码,它使用一个类来定义一个按钮。然后可以根据需要轻松地将此类多次添加到表单中。通过为所有需要的类型构建类,很容易生成表单以及维护和添加到库中。
from PyQt4 import QtGui, QtCore
import sys
class Main(QtGui.QMainWindow):
def __init__(self, parent = None):
super(Main, self).__init__(parent)
# main button
self.addButton = QtGui.QPushButton('button to add other widgets')
self.addButton.clicked.connect(self.addWidget)
# scroll area widget contents - layout
self.scrollLayout = QtGui.QFormLayout()
# scroll area widget contents
self.scrollWidget = QtGui.QWidget()
self.scrollWidget.setLayout(self.scrollLayout)
# scroll area
self.scrollArea = QtGui.QScrollArea()
self.scrollArea.setWidgetResizable(True)
self.scrollArea.setWidget(self.scrollWidget)
# main layout
self.mainLayout = QtGui.QVBoxLayout()
# add all main to the main vLayout
self.mainLayout.addWidget(self.addButton)
self.mainLayout.addWidget(self.scrollArea)
# central widget
self.centralWidget = QtGui.QWidget()
self.centralWidget.setLayout(self.mainLayout)
# set central widget
self.setCentralWidget(self.centralWidget)
def addButton(self):
self.scrollLayout.addRow(Test())
class Test(QtGui.QWidget):
def __init__( self, parent=None):
super(Test, self).__init__(parent)
self.pushButton = QtGui.QPushButton('I am in Test widget')
self.pushButton.clicked.connect(self.testPush)
layout = QtGui.QHBoxLayout()
layout.addWidget(self.pushButton)
self.setLayout(layout)
def testPush(self):
print "The test button was pushed!"
app = QtGui.QApplication(sys.argv)
myWidget = Main()
for i in xrange(5):
myWidget.addButton()
myWidget.show()
app.exec_()