我有一个QListWidget,我想隐藏所有文本后的第一个:而完整的字符串仍然在那里供我使用,对于所有的项目。
的例子:
List item | username:password
我想要的:
List Item (Password is still there but hidden) | username
这只是为了让UI更干净,是否有任何内置的PyQT函数可以帮助我实现这一点,或者我必须使用Python提出其他解决方案?可复制的示例只是一个QListWidget,其中包含:项。
一个可能的解决方案是使用委托:
import sys
from PyQt5 import QtCore, QtWidgets
class Delegate(QtWidgets.QStyledItemDelegate):
def displayText(self, value, locale):
text = super().displayText(value, locale)
separator = ":"
values = text.split(separator)
if len(values) == 2:
username, password = values
mask_character = chr(
QtWidgets.QApplication.style().styleHint(
QtWidgets.QStyle.SH_LineEdit_PasswordCharacter
)
)
return separator.join([username, mask_character * len(password)])
return text
def main():
app = QtWidgets.QApplication(sys.argv)
w = QtWidgets.QListWidget()
delegate = Delegate(w)
w.setItemDelegate(delegate)
w.show()
for i in range(10):
text = f"username{i}:password{i}"
item = QtWidgets.QListWidgetItem(text)
item.setFlags(item.flags() | QtCore.Qt.ItemIsEditable)
w.addItem(item)
sys.exit(app.exec_())
if __name__ == "__main__":
main()