I want to highlight every day in a CalendarWidget that is between a selected start and end date. My problem is that a CalendarWidget only allows SingleSelection in QTCreator but says that other things can be changed programmatically though.
I found some hints to use a QPainter and the paintCell() Method but i till dont know where to begin. The Internet wasn't helpful in my case. I tried to change a single date first on buttonClick but even this didnt work, can you give me an advice how to use this?
btn_test_pressed(self):
painter = QPainter()
painter.setPen(QtGui.QPen(QtCore.Qt.green))
painter.fillRect(QtCore.QRectF(250, 250, 10, 10), 0, 5760)
rect = QRect()
date = datetime.datetime.now() - datetime.timedelta(1)
self.calendarWidget.paintCell(painter, rect, date)
To update the style of individual dates you can use QCalendarWidget.setDateTextFormat()
. Here is a basic implementation of how this is used to highlight a range of dates which can be selected by selecting a begin and and end date while holding the shift key.
from PyQt5.QtGui import QPalette, QTextCharFormat
from PyQt5.QtCore import Qt
from PyQt5.QtWidgets import QApplication, QCalendarWidget
class MyCalendar(QCalendarWidget):
def __init__(self):
super().__init__()
self.begin_date = None
self.end_date = None
self.highlight_format = QTextCharFormat()
self.highlight_format.setBackground(self.palette().brush(QPalette.Highlight))
self.highlight_format.setForeground(self.palette().color(QPalette.HighlightedText))
self.clicked.connect(self.date_is_clicked)
print(super().dateTextFormat())
def format_range(self, format):
if self.begin_date and self.end_date:
d0 = min(self.begin_date, self.end_date)
d1 = max(self.begin_date, self.end_date)
while d0 <= d1:
self.setDateTextFormat(d0, format)
d0 = d0.addDays(1)
def date_is_clicked(self, date):
# reset highlighting of previously selected date range
self.format_range(QTextCharFormat())
if QApplication.instance().keyboardModifiers() & Qt.ShiftModifier and self.begin_date:
self.end_date = date
# set highilighting of currently selected date range
self.format_range(self.highlight_format)
else:
self.begin_date = date
self.end_date = None
if __name__ == "__main__":
app = QApplication([])
calendar = MyCalendar()
calendar.show()
app.exec()
Screenshot: