PyQt5 Scrollable Label – 获取标签部分的工具提示文本
在本文中,我们将看到如何获取滚动标签的标签部分的工具提示文本,当知道我们可以通过继承滚动类并在其中制作标签来制作可滚动标签时,但是当我们将工具提示设置为类对象工具提示设置为整个小部件,即标签和滚动条。为了添加工具提示标签部分,我们必须覆盖对象的功能。
Steps for implementations –
1. Create a new class which inherits QScrollArea
2. Inside the class create vertical layout
3. Create a label and make it multi-line and add it to the layout
5. Over-ride the setText and text method for label
6. Over-ride setToolTip method to add tooltip to the label and toolTip method to get the tool tip
7. Create object of this class inside the main window class and setting text to it
8. Add tooltip to the object with the help of setToolTip
method
9. Retrieve the tooltip text with the help of toolTip
method
10. Create another label to show the tooltip text
下面是实现
# importing libraries
from PyQt5.QtWidgets import *
from PyQt5 import QtCore, QtGui
from PyQt5.QtGui import *
from PyQt5.QtCore import *
import sys
# class for scrollable label
class ScrollLabel(QScrollArea):
# constructor
def __init__(self, *args, **kwargs):
QScrollArea.__init__(self, *args, **kwargs)
# making widget resizable
self.setWidgetResizable(True)
# making qwidget object
content = QWidget(self)
self.setWidget(content)
# vertical box layout
lay = QVBoxLayout(content)
# creating label
self.label = QLabel(content)
# making label multi-line
self.label.setWordWrap(True)
# adding label to the layout
lay.addWidget(self.label)
# the setText method
def setText(self, text):
# setting text to the label
self.label.setText(text)
# getting text method
def text(self):
# getting text of the label
get_text = self.label.text()
# return the text
return get_text
# overriding setToolTip method
def setToolTip(self, text):
# setting tool tip to the label
self.label.setToolTip(text)
# overriding toolTip method
def toolTip(self):
# returning tool tip text
return self.label.toolTip()
class Window(QMainWindow):
def __init__(self):
super().__init__()
# setting title
self.setWindowTitle("Python ")
# setting geometry
self.setGeometry(100, 100, 600, 400)
# calling method
self.UiComponents()
# showing all the widgets
self.show()
# method for widgets
def UiComponents(self):
# text to show in label
text = "There are so many options provided by Python to develop GUI " \
" There are so many options provided by Python to develop GUI" \
" There are so many options provided by Python to develop GUI"
# creating scroll label
label = ScrollLabel(self)
# setting text to the label
label.setText(text)
# setting geometry
label.setGeometry(100, 100, 150, 80)
# setting tool tip
label.setToolTip("It is tool tip")
# getting the tool tip
tip = label.toolTip()
# creating another label to show the tool tip
result = QLabel("Tool tip : " + tip, self)
# setting geometry to the label
result.setGeometry(150, 200, 200, 30)
# create pyqt5 app
App = QApplication(sys.argv)
# create the instance of our Window
window = Window()
# start the app
sys.exit(App.exec())
输出 :