因此,我使用QDataWidgetMapper将值从QSqlQueryModel映射到界面中的小部件。一切正常,每次更新或刷新我的模型时,小部件也都更新了……太好了!

但是,假设我有一个QLabel ...,并且此QLabel已映射到模型中名为“城市”的字段,并且QLabel在显示“ LONDON”时显示了文本。有没有办法设置此文本的格式,以使其显示为“伦敦”?同时还保持映射关系,并且无需更改QSqlQueryModel正在查询的数据库?

谢谢!

编辑-这是我到目前为止的代码的简化示例:

import sys
from PyQt4 import QtCore, QtGui


class DemoModel(QtCore.QAbstractTableModel):
    def __init__(self):
        super(DemoModel, self).__init__()
        self.visibleColumns = ['city', 'country']
        self.items = [
            {'city': 'LONDON', 'country': 'England'},
            {'city': 'GLASGOW', 'country': 'Scotland'},
            {'city': 'CARDIF', 'country': 'Wales'},
            ]


    def rowCount(self, parent=QtCore.QModelIndex()):
        return len(self.items)


    def columnCount(self, parent=QtCore.QModelIndex()):
        return len(self.visibleColumns)


    def data(self, index, role=QtCore.Qt.DisplayRole):
        if role == QtCore.Qt.DisplayRole or role == QtCore.Qt.ToolTipRole:
            colName = self.visibleColumns[index.column()]
            return self.items[index.row()].get(colName, '')


    def headerData(self, section, orientation, role=QtCore.Qt.DisplayRole):
        if role == QtCore.Qt.DisplayRole and orientation == QtCore.Qt.Horizontal:
            return self.visibleColumns[section]



class TestWindow(QtGui.QWidget):
    def __init__(self):
        super(TestWindow, self).__init__()
        self.resize(100, 100)
        layout = QtGui.QVBoxLayout(self)

        demoLabel = QtGui.QLabel()
        layout.addWidget(demoLabel)
        mapper.addMapping(demoLabel, 0, "text")



model = DemoModel()
mapper = QtGui.QDataWidgetMapper()
mapper.setModel(model)

app = QtGui.QApplication(sys.argv)
demo =  TestWindow()
demo.show()
sys.exit(app.exec_())

最佳答案

您应该在数据映射器上设置一个项目委托,然后重新实现setEditorData方法:

class ItemDelegate(QtGui.QItemDelegate):
    def setEditorData(self, editor, index):
        editor.setText(index.data().title())

mapper = QtGui.QDataWidgetMapper()
mapper.setModel(model)
delegate = ItemDelegate()
mapper.setItemDelegate(delegate)


为了使其正常工作,必须在不指定属性名称的情况下进行映射:

mapper.addMapping(demoLabel, 0)


(请注意,对于可编辑的显示窗口小部件,您可能还需要重新实现setModelData方法)。

关于python - 如何从QDataWidgetMapper修改值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/45246157/

10-09 17:15