如何设置QComboBox下拉列表不消失
时间: 2024-02-25 22:53:19 浏览: 143
要设置QComboBox下拉列表不消失,可以使用QComboBox的setView()方法设置一个自定义的QListView视图,然后在该视图对象中重写mouseReleaseEvent()方法,使其不会在鼠标释放时关闭下拉列表。
具体的实现代码如下:
```python
from PyQt5.QtWidgets import QApplication, QComboBox, QListView
class MyComboBox(QComboBox):
def __init__(self, parent=None):
super(MyComboBox, self).__init__(parent)
self.setView(QListView(self))
def view(self):
return super(MyComboBox, self).view()
def mouseReleaseEvent(self, event):
index = self.view().currentIndex()
if index.isValid():
self.setCurrentIndex(index.row())
self.view().hide()
if __name__ == '__main__':
app = QApplication([])
combo = MyComboBox()
combo.addItems(['item1', 'item2', 'item3'])
combo.show()
app.exec_()
```
在这个例子中,我们自定义了一个MyComboBox类,它继承自QComboBox类,并重写了mouseReleaseEvent()方法。在该方法中,我们首先获取当前选中的项的索引,然后将其设为当前项,并隐藏下拉列表。
通过这种方式,我们就可以实现QComboBox下拉列表不消失的效果。
阅读全文