我使用QtableView和QStandardItemModel在GUI上显示日志以保持适当的间距和过滤日志。我创建了模型并将数据插入其中。使用QSortFilterProxyModel作为过滤字符串。
self.tableView = QtGui.QTableView(self)
self.model = QtGui.QStandardItemModel(self)
self.proxy = QtGui.QSortFilterProxyModel(self)
self.proxy.setSourceModel(self.model)
self.tableView.setModel(self.proxy)
在一秒钟内,预计将有近100个日志,应该在GUI上显示。附加新日志后,视图不会自动滚动,滑块仅保留在顶部。它没有给出日志记录的实时感觉,用户需要手动滚动到最后。所以为了克服这个问题,我使用了以下语法,
self.model.rowsInserted.connect(lambda: QtCore.QTimer.singleShot(5, self.tableView.scrollToBottom))
它为日志提供了实时感觉,但滑块始终位于底部,我无法向上滚动以查看以前的日志。每当我尝试移动滑块时,它会立即再次降至最低点。所以这个语法不符合我的要求。在QTextEdit中,自动滚动是正确的,用户友好。我想在QtableView上看到相同的场景。有没有像QTextEdit类似的自动滚动的替代方案?
答案 0 :(得分:1)
要获得所需的行为,只有当前一个滚动位置位于底部时,才能自动滚动。这样,每当用户滚动离开底部时,将禁用自动滚动;但是当它们滚动回到底部时,将重新启用自动滚动。 (注意:要快速重新启用自动滚动,请右键单击滚动条,然后从上下文菜单中选择"底部"。
这是一个简单的演示:
from PyQt4 import QtCore, QtGui
class Window(QtGui.QWidget):
def __init__(self):
super(Window, self).__init__()
self.table = QtGui.QTableView(self)
self.model = QtGui.QStandardItemModel(self)
self.table.setModel(self.model)
layout = QtGui.QVBoxLayout(self)
layout.addWidget(self.table)
self._scroll = True
self.model.rowsAboutToBeInserted.connect(self.beforeInsert)
self.model.rowsInserted.connect(self.afterInsert)
def beforeInsert(self):
vbar = self.table.verticalScrollBar()
self._scroll = vbar.value() == vbar.maximum()
def afterInsert(self):
if self._scroll:
self.table.scrollToBottom()
def addRow(self):
self.model.appendRow([QtGui.QStandardItem(c) for c in 'ABC'])
if __name__ == '__main__':
app = QtGui.QApplication([''])
window = Window()
window.setGeometry(500, 50, 400, 300)
window.show()
timer = QtCore.QTimer()
timer.timeout.connect(window.addRow)
timer.start(200)
app.exec_()