我遇到了奇怪的行为,其中setAlpha没有在QColor对象上工作。我不明白为什么它不起作用,但我确信有一个很好的理由我还没有意识到。
以下是小规模示例中的问题:
from PyQt4 import QtGui
clr = QtGui.QColor('yellow')
qtwi = QtGui.QTableWidgetItem()
qtwi.setBackgroundColor(clr)
print 'Colors are the same object: %s' % (clr == qtwi.backgroundColor())
print 'Alpha before is: %s' % clr.alpha()
clr.setAlpha(67)
print 'Alpha after is: %s' % clr.alpha()
print 'Alpha before is: %s' % qtwi.backgroundColor().alpha()
qtwi.backgroundColor().setAlpha(171)
print 'Alpha after is: %s' % qtwi.backgroundColor().alpha()
print 'Colors are the same object: %s' % (clr == qtwi.backgroundColor())
结果应为:
Colors are the same object: True
Alpha before is: 255
Alpha after is: 67
Alpha before is: 255
Alpha after is: 255
Colors are the same object: False
这对我没有意义。我在示例的第二部分中明确将alpha值设置为171,为什么它不起作用?此外,如果clr和qtwi.backgroundColor()在开头是同一个对象,为什么它们最后不再相同?这里发生了什么?我很困惑。感谢。
答案 0 :(得分:3)
qtwi.backgroundColor()
返回相同颜色的唯一实例。如果更改其中一个实例,则不会更改原始颜色。
如果你跑:
print qtwi.backgroundColor()
print qtwi.backgroundColor()
你会得到:
<PyQt4.QtGui.QColor object at 0x7f02c61f9ad0>
<PyQt4.QtGui.QColor object at 0x7f02c61f9a60>
它们是两个不同的对象。它们是原件的副本。如果更改副本,则不会更改原件。
但是,如果将qtwi.backgroundColor()
设置为变量,则代码将起作用。如果您尝试:
from PyQt4 import QtGui
clr = QtGui.QColor('yellow')
qtwi = QtGui.QTableWidgetItem()
qtwi.setBackgroundColor(clr)
print 'Colors are the same object: %s' % (clr == qtwi.backgroundColor())
print 'Alpha before is: %s' % clr.alpha()
clr.setAlpha(67)
print 'Alpha after is: %s' % clr.alpha()
qtwibg = qtwi.backgroundColor()
print 'Alpha before is: %s' % qtwibg.alpha()
qtwibg.setAlpha(171)
print 'Alpha after is: %s' % qtwibg.alpha()
print 'Colors are the same object: %s' % (clr == qtwibg)
你应该得到你想要的结果。