我正在创建一个带有一些QTextEdit小部件的表单。
QTextEdit的默认高度超过单行文本,并且当内容的高度超过QTextEdit的高度时,它会创建一个滚动条来滚动内容。
我想重写此行为以创建一个QTextEdit,而不是将其高度包装到其内容中。这意味着默认高度将是一行,而在包装或输入新行时,QTextEdit会自动增加其高度。每当内容高度超过QTextEdit的高度时,后者不应创建滚动条,而只是增加高度。
我该怎么做呢?谢谢。
答案 0 :(得分:6)
这几乎就像我前几天回答的一个问题,就是让QTextEdit根据内容变化调整其高度:PySide Qt: Auto vertical growth for TextEdit Widget
我正在回答而不是标记副本,因为我怀疑你可能想要一个变体。如果您希望我扩展这个答案,请告诉我:
另一个问题有多个部分。以下是不断增长的高度小部件的摘录:
class Window(QtGui.QDialog):
def __init__(self):
super(Window, self).__init__()
self.resize(600,400)
self.mainLayout = QtGui.QVBoxLayout(self)
self.mainLayout.setMargin(10)
self.scroll = QtGui.QScrollArea()
self.scroll.setWidgetResizable(True)
self.scroll.setVerticalScrollBarPolicy(QtCore.Qt.ScrollBarAlwaysOn)
self.mainLayout.addWidget(self.scroll)
scrollContents = QtGui.QWidget()
self.scroll.setWidget(scrollContents)
self.textLayout = QtGui.QVBoxLayout(scrollContents)
self.textLayout.setMargin(10)
for _ in xrange(5):
text = GrowingTextEdit()
text.setMinimumHeight(50)
self.textLayout.addWidget(text)
class GrowingTextEdit(QtGui.QTextEdit):
def __init__(self, *args, **kwargs):
super(GrowingTextEdit, self).__init__(*args, **kwargs)
self.document().contentsChanged.connect(self.sizeChange)
self.heightMin = 0
self.heightMax = 65000
def sizeChange(self):
docHeight = self.document().size().height()
if self.heightMin <= docHeight <= self.heightMax:
self.setMinimumHeight(docHeight)
答案 1 :(得分:5)
以下代码将QTextEdit小部件设置为内容的高度:
# using QVBoxLayout in this example
grid = QVBoxLayout()
text_edit = QTextEdit('Some content. I make this a little bit longer as I want to see the effect on a widget with more than one line.')
# read-only
text_edit.setReadOnly(True)
# no scroll bars in this example
text_edit.setVerticalScrollBarPolicy(Qt.ScrollBarAlwaysOff)
text_edit.setHorizontalScrollBarPolicy(Qt.ScrollBarAlwaysOff)
text_edit.setSizePolicy(QSizePolicy.Fixed, QSizePolicy.Fixed)
# you can set the width to a specific value
# text_edit.setFixedWidth(400)
# this is the trick, we nee to show the widget without making it visible.
# only then the document is created and the size calculated.
# Qt.WA_DontShowOnScreen = 103, PyQt does not have this mapping?!
text_edit.setAttribute(103)
text_edit.show()
# now that we have a document we can use it's size to set the QTextEdit's size
# also we add the margins
text_edit.setFixedHeight(text_edit.document().size().height() + text_edit.contentsMargins().top()*2)
# finally we add the QTextEdit to our layout
grid.addWidget(text_edit)
我希望这会有所帮助。