QCalendarWidget-读取所选日期的背景色

时间:2018-09-03 06:41:16

标签: python python-2.7 pyside

我正在尝试创建一个日历,该日历可以在单击时切换日期的颜色。如果当前背景为白色,请将其设置为绿色。如果为绿色,请将其设置为红色。如果是红色,请将其重新设置为白色。但是我不知道如何获得选择背景色。有人可以帮忙吗?

样式表已设置为摆脱默认的选择颜色,该颜色会阻止我要显示的颜色。

import sys
from PySide.QtGui import (QCalendarWidget, QApplication, QBrush)
from PySide.QtCore import Qt

class UserCalendar(QCalendarWidget):
    def __init__(self, parent=None):
        super(UserCalendar, self).__init__(parent)
        style = 'QTableView{selection-background-color: white;' \
                'selection-color: black;}'
        self.setStyleSheet(style)
        self.clicked.connect(self.onClick)

    def onClick(self, date):
        brush = QBrush()
        brush.setColor(Qt.green)
        charformat = self.dateTextFormat(date)
        charformat.setBackground(brush)
        self.setDateTextFormat(date, charformat)
        style = 'QTableView{selection-background-color: green;' \
                'selection-color: black;}'
        self.setStyleSheet(style)

if __name__ == '__main__':
    app = QApplication(sys.argv)
    cal = UserCalendar()
    cal.show()
    cal.raise_()
    sys.exit(app.exec_())

1 个答案:

答案 0 :(得分:1)

以与您为dateTextFormat(...)设置背景色相同的方式,您可以使用background()获得背景色,该颜色返回QBrush(...),然后使用其color(...)方法。默认情况下,颜色为黑色,而不是白色。

import sys
from PySide.QtGui import (QCalendarWidget, QApplication, QBrush, QColor)
from PySide.QtCore import Qt, Slot, QDate


class UserCalendar(QCalendarWidget):
    def __init__(self, parent=None):
        super(UserCalendar, self).__init__(parent)
        self.set_selection_color(QColor("white"))
        self.clicked.connect(self.onClick)

    @Slot(QDate)
    def onClick(self, date):
        color = self.get_next_color(date)
        charformat = self.dateTextFormat(date)
        charformat.setBackground(QBrush(color))
        self.setDateTextFormat(date, charformat)
        self.set_selection_color(color)

    def set_selection_color(self, color):
        style = 'QTableView{{selection-background-color: {color};' \
                'selection-color: black;}}'.format(color=color.name())
        self.setStyleSheet(style)

    def get_next_color(self, date):
        color = self.dateTextFormat(date).background().color()
        # by default background color is Qt.black
        if color in (QColor(Qt.black), QColor(Qt.white)) :
            return QColor(Qt.green)
        if color == QColor(Qt.green):
            return QColor(Qt.red)
        return QColor(Qt.white)

if __name__ == '__main__':
    app = QApplication(sys.argv)
    cal = UserCalendar()
    cal.show()
    cal.raise_()
    sys.exit(app.exec_())