切换按钮是QPushButton的特殊模式。它是一个具有两种状态的按钮:按压和未按压。我们通过这两种状态之间的切换来修改其它内容。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
|
#!/usr/bin/python3
# -*- coding: utf-8 -*-
"""
PyQt5 教程
在这个例子中,我们创建三个切换按钮。
他们将控制一个QFrame的背景颜色。
作者:我的世界你曾经来过
博客:http://blog.csdn.net/weiaitaowang
最后编辑:2016年8月3日
"""
import sys
from PyQt5.QtWidgets import QApplication, QWidget, QPushButton, QFrame
from PyQt5.QtGui import QColor
class Example(QWidget):
def __init__( self ):
super ().__init__()
self .initUI()
def initUI( self ):
self .col = QColor( 0 , 0 , 0 )
redb = QPushButton( '红' , self )
redb.setCheckable( True )
redb.move( 10 , 10 )
greenb = QPushButton( '绿' , self )
greenb.setCheckable( True )
greenb.move( 10 , 60 )
blueb = QPushButton( '蓝' , self )
blueb.setCheckable( True )
blueb.move( 10 , 110 )
redb.clicked[ bool ].connect( self .setColor)
greenb.clicked[ bool ].connect( self .setColor)
blueb.clicked[ bool ].connect( self .setColor)
self .square = QFrame( self )
self .square.setGeometry( 150 , 20 , 100 , 100 )
self .square.setStyleSheet( 'QWidget { background-color:%s }' %
self .col.name())
self .setGeometry( 300 , 300 , 280 , 170 )
self .setWindowTitle( '切换按钮' )
self .show()
def setColor( self , pressed):
source = self .sender()
if pressed:
val = 255
else :
val = 0
if source.text() = = '红' :
self .col.setRed(val)
elif source.text() = = '绿' :
self .col.setGreen(val)
else :
self .col.setBlue(val)
self .square.setStyleSheet( 'QFrame { background-color:%s }' %
self .col.name())
if __name__ = = '__main__' :
app = QApplication(sys.argv)
ex = Example()
sys.exit(app.exec_())
|
在我们的例子中,我们创建了三个切换按钮和一个QWidget。我们设置QWidget的背景色为黑色。切换按钮将切换颜色值的红,绿和蓝色部分。背景颜色将取决于切换。
1
|
self .col = QColor( 0 , 0 , 0 )
|
初始颜色值为黑色。
1
2
3
|
redb = QPushButton( '红' , self )
redb.setCheckable( True )
redb.move( 10 , 10 )
|
创建一个切换按钮。我们通过使用QPushButton 创建一个按钮,并设置其setCheckable()方法为真。
1
|
redb.clicked[ bool ].connect( self .setColor)
|
当我们点击切换按钮时一个信号连接到我们定义的方法。我们使用一个布尔值操作点击信号。
1
|
source = self .sender()
|
我们得到切换按钮的信息(也就是点击了哪个按钮)。
1
2
|
if source.text() = = '红' :
self .col.setRed(val)
|
如果是红色按钮,我们相应地更新颜色的红色部分。
1
2
|
self .square.setStyleSheet( 'QFrame { background-color:%s }' %
self .col.name())
|
我们使用样式表来改变背景颜色。
程序执行后
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:https://blog.csdn.net/weiaitaowang/article/details/52103582