我想基于combox和combox中的哪一行创建一个事件(在本例中为print)。我查看了old post并进行了一些扩展。它有道理吗?当我按下"秒"在左侧的combox中我想要输出" 0,2"当我按下"第二个"在正确的combox中我想要输出" 1,2"。
from PyQt4 import QtCore, QtGui
import sys
class MyClass(object):
def __init__(self, arg):
super(MyClass, self).__init__()
self.row = arg
self.col = []
def add_column(self, col):
self.col.append(col)
class myWindow(QtGui.QWidget):
def __init__(self, parent=None):
super(myWindow, self).__init__(parent)
comboBox = [None, None]
myObject = [None, None]
slotLambda = [None, None]
for j in range(2):
comboBox[j] = QtGui.QComboBox(self)
if j > 0:
comboBox[j].move(100, 0)
test = [['first', 1], ['second', 2]]
myObject[j] = MyClass(j)
for num, value in test:
comboBox[j].addItem(num)
myObject[j].add_column(value)
slotLambda[j] = lambda: self.indexChanged_lambda(myObject[j])
comboBox[j].currentIndexChanged.connect(slotLambda[j])
@QtCore.pyqtSlot(str)
def indexChanged_lambda(self, string):
print string.row, string.col
if __name__ == "__main__":
app = QtGui.QApplication(sys.argv)
app.setApplicationName('myApp')
dialog = myWindow()
dialog.show()
sys.exit(app.exec_())
答案 0 :(得分:2)
如果使用QComboBox
,QComboBox
可以存储每个索引的信息,则无需使用lambda函数发送其他信息,addItem()
还有一个附加参数可以保存信息我们可以通过itemData()
方法访问它,我们可以使用setItemData()
方法添加其他信息。
要知道QComboBox发出了我们可以使用sender()
的信号,这个方法会返回发出信号的对象。
以上所有内容均在以下示例中实现:
from PyQt4 import QtCore, QtGui
import sys
class myWindow(QtGui.QWidget):
def __init__(self, parent=None):
super(myWindow, self).__init__(parent)
lay = QtGui.QHBoxLayout(self)
test = [['first', 1], ['second', 2]]
for j in range(5):
comboBox = QtGui.QComboBox(self)
lay.addWidget(comboBox)
for i, values in enumerate(test):
text, data = values
comboBox.addItem(text, (j, data))
comboBox.currentIndexChanged.connect(self.onCurrentIndexChanged)
@QtCore.pyqtSlot(int)
def onCurrentIndexChanged(self, ix):
combo = self.sender()
row, column = combo.itemData(ix)
print(row, column)
if __name__ == "__main__":
app = QtGui.QApplication(sys.argv)
app.setApplicationName('myApp')
dialog = myWindow()
dialog.show()
sys.exit(app.exec_())