2

这是一种从我的 textedit 中复制一个单词并将其设置为我的 tableview 的新行的方法。我需要的是:如何更改我在文本编辑中选择的单词的颜色?我的文本编辑的名称是“编辑器”,当我复制单词时,我需要更改该单词的颜色,但我不知道该怎么做。请帮忙 :)。请举个例子~~

 def addLineTable(self):

    row = self.model.rowCount()   #create a line into my tableview
    self.model.insertRows(row)
    column = 0
    index = self.model.index(row, column)        
    tableView = self.TABLE            
    tableView.setFocus()
    tableView.setCurrentIndex(index)
    cursor = self.editor.textCursor()
    textSelected = cursor.selectedText()  #set text to cursor
    self.model.setData(index, QVariant(textSelected)) #set text to new tableview line
4

2 回答 2

3

如果我正确理解您的问题,您只想更改文本的颜色,对吗?您可以通过在此处为您的文档分配StyleSheetscss 来做到这一点。QWidgets

下面的示例:

from PyQt4 import QtGui, QtCore

class Window(QtGui.QDialog):
    def __init__(self):
        QtGui.QDialog.__init__(self)
        self._offset = 200
        self._closed = False
        self._maxwidth = self.maximumWidth()
        self.widget = QtGui.QWidget(self)
        self.listbox = QtGui.QListWidget(self.widget)
        self.editor = QtGui.QTextEdit(self)
        self.editor.setStyleSheet("QTextEdit {color:red}")
        layout = QtGui.QHBoxLayout(self)
        layout.addWidget(self.widget)
        layout.addWidget(self.editor)

if __name__ == '__main__':

    import sys
    app = QtGui.QApplication(sys.argv)
    window = Window()
    window.move(500, 300)
    window.show()
    sys.exit(app.exec_())

编辑

或者你可以 setStyleSheet 到你所有的QTextEdit,试试这个:

......

app = QtGui.QApplication(sys.argv)
app.setStyleSheet("QTextEdit {color:red}")
......
于 2013-02-04T18:34:08.137 回答
3

你已经得到了QTextCursor. 您需要做的就是将格式 ( QTextCharFormat) 应用于此光标,所选文本将被相应地格式化:

def addLineTable(self):

    row = self.model.rowCount()   #create a line into my tableview
    self.model.insertRows(row)
    column = 0
    index = self.model.index(row, column)        
    tableView = self.TABLE            
    tableView.setFocus()
    tableView.setCurrentIndex(index)
    cursor = self.editor.textCursor()

    # get the current format
    format = cursor.charFormat()
    # modify it
    format.setBackground(QtCore.Qt.red)
    format.setForeground(QtCore.Qt.blue)
    # apply it
    cursor.setCharFormat(format)

    textSelected = cursor.selectedText()  #set text to cursor
    self.model.setData(index, QVariant(textSelected)) #set text to new tableview line
于 2013-02-04T22:09:47.323 回答