Buttons - GUI

10 Fun and Practical QCheckBox Exercises Using PySide6 (with Code Examples)

If you’re learning GUI development with PySide6, mastering the QCheckBox widget is essential for building interactive desktop applications. Checkboxes allow users to make multiple selections, trigger events, and control application behavior in flexible ways.

In this post, you’ll explore 10 hands-on exercises focused solely on QCheckBox, ranging from simple tasks like toggling colors to dynamic applications like updating font styles and counting selected options. These beginner-friendly exercises are designed to help you practice real-world use cases while getting more comfortable with PySide6 development.

Whether you’re a beginner or brushing up on your skills, this collection of QCheckBox exercises will make your PySide6 learning journey more interactive and enjoyable.

Basic Checkbox State Display

Objective: Create a GUI with a single checkbox labeled "I Agree". When the checkbox state changes, print "Checked" or "Unchecked" to the console.

import sys
from PySide6.QtWidgets import QCheckBox, QApplication, QWidget, QVBoxLayout


class CheckBoxStateDisplay(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle('Check Box State Display')
        self.resize(400, 300)

        self.checkBox = QCheckBox()
        self.checkBox.setChecked(False)
        self.checkBox.stateChanged.connect(self.button_state_change)

        main_layout = QVBoxLayout()
        main_layout.addWidget(self.checkBox)

        self.setLayout(main_layout)

    def button_state_change(self):
        if self.checkBox.isChecked():
            print('Checked')
        else:
            print('Not Checked')


if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = CheckBoxStateDisplay()
    window.show()
    app.exec()

Enable/Disable a Button using Checkbox

Objective: Create a GUI containing:

  • A checkbox labeled "Enable Button".
  • A QPushButton labeled "Click Me" (initially disabled).

Checking the checkbox enables the button, and unchecking it disables the button.

import sys
from PySide6.QtWidgets import QApplication, QCheckBox, QPushButton, QWidget, QHBoxLayout


class EnableDisableButtonUsingCheckbox(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle('Enable/Disable button')
        self.resize(800, 1000)

        self.checkbox = QCheckBox('Enable/Disable button')
        self.checkbox.setChecked(False)
        self.checkbox.stateChanged.connect(self.enable_disable_button)

        self.button = QPushButton('Just a Button')
        self.button.setEnabled(False)

        main_layout = QHBoxLayout()
        main_layout.addWidget(self.checkbox)
        main_layout.addWidget(self.button)

        self.setLayout(main_layout)

    def enable_disable_button(self):
        if self.checkbox.isChecked():
            self.button.setEnabled(True)
        else:
            self.button.setEnabled(False)


if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = EnableDisableButtonUsingCheckbox()
    window.show()
    app.exec()

Display Selected Interests

Objective: Create a GUI with three checkboxes labeled "Music", "Sports", and "Reading". Include a QPushButton labeled "Show Selected". Clicking the button prints all currently selected interests to the console.

import sys
from PySide6.QtWidgets import QApplication, QWidget, QPushButton, QCheckBox, QHBoxLayout


class DisplaySelectedInterest(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle("Display selected interest")
        self.resize(400, 400)

        self.checkbox_music = QCheckBox('Music')
        self.checkbox_music.setChecked(False)
        self.checkbox_music.stateChanged.connect(self.interest_check)

        self.checkbox_sports = QCheckBox('Sports')
        self.checkbox_sports.setChecked(False)
        self.checkbox_sports.stateChanged.connect(self.interest_check)

        self.checkbox_reading = QCheckBox('Reading')
        self.checkbox_reading.setChecked(False)
        self.checkbox_reading.stateChanged.connect(self.interest_check)

        main_layout = QHBoxLayout()
        main_layout.addWidget(self.checkbox_music)
        main_layout.addWidget(self.checkbox_sports)
        main_layout.addWidget(self.checkbox_reading)

        self.setLayout(main_layout)

    def interest_check(self):
        interests = []
        if self.checkbox_music.isChecked():
            interests.append('Music')

        if self.checkbox_sports.isChecked():
            interests.append('Sports')

        if self.checkbox_reading.isChecked():
            interests.append('Reading')

        if interests:
            print(f'Selected interests: {", ".join(interests)}')
        else:
            print('No selected interests')


if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = DisplaySelectedInterest()
    window.show()
    app.exec()

Checkbox Color Toggle

Objective: Create a single checkbox labeled "Toggle Color". When checked, change the checkbox text color to green. When unchecked, revert the text color to black.

(Hint: Use setStyleSheet() to adjust colors.)

import sys
from PySide6.QtWidgets import QApplication, QWidget, QCheckBox, QVBoxLayout


class CheckBoxColorToggle(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle("CheckBox Color Toggle")
        self.resize(400, 300)

        self.checkbox = QCheckBox('Color Toggle')
        self.checkbox.setStyleSheet('color: black')

        self.checkbox.setChecked(False)
        self.checkbox.toggled.connect(self.change_color)

        main_layout = QVBoxLayout()
        main_layout.addWidget(self.checkbox)

        self.setLayout(main_layout)

    def change_color(self):
        if self.checkbox.isChecked():
            self.checkbox.setStyleSheet("color: green")
        else:
            self.checkbox.setStyleSheet("color: black")


if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = CheckBoxColorToggle()
    window.show()
    app.exec()

Checkbox-controlled Window Title

Objective: Create a GUI containing a checkbox labeled "Special Mode". Checking this checkbox changes the main window’s title to "Special Mode Activated", and unchecking resets it to "Normal Mode".

import sys
from PySide6.QtWidgets import QApplication, QWidget, QCheckBox, QVBoxLayout


class CheckBoxControlledWindow(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle('Normal Mode')
        self.resize(800, 1000)

        self.checkbox = QCheckBox('Special Mode')
        self.checkbox.setChecked(False)

        self.checkbox.toggled.connect(self.control_window)

        main_layout = QVBoxLayout()
        main_layout.addWidget(self.checkbox)

        self.setLayout(main_layout)

    def control_window(self):
        if self.checkbox.isChecked():
            self.setWindowTitle('Special Mode Activated')
        else:
            self.setWindowTitle('Normal Mode')


if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = CheckBoxControlledWindow()
    window.show()
    app.exec()

Select All Checkboxes

Objective: Create four checkboxes: "Apple", "Banana", "Orange", and "Select All". Checking "Select All" should select all the fruits. Unchecking "Select All" should unselect them all.

(Hint: Handle state synchronization carefully.)

import sys
from PySide6.QtWidgets import QApplication, QWidget, QCheckBox, QVBoxLayout


class SelectAllCheckBox(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle('Select All CheckBoxes')
        self.resize(800, 1000)

        self.checkbox_apple = QCheckBox('Apple')
        self.checkbox_orange = QCheckBox('Orange')
        self.checkbox_banana = QCheckBox('Banana')
        self.checkbox_select_all = QCheckBox('Select All')
        self.checkbox_select_all.setChecked(False)
        self.checkbox_apple.setChecked(False)
        self.checkbox_orange.setChecked(False)
        self.checkbox_banana.setChecked(False)
        self.checkbox_select_all.stateChanged.connect(self.select_all)

        main_layout = QVBoxLayout()
        main_layout.addWidget(self.checkbox_apple)
        main_layout.addWidget(self.checkbox_orange)
        main_layout.addWidget(self.checkbox_banana)
        main_layout.addWidget(self.checkbox_select_all)

        self.setLayout(main_layout)

    def select_all(self):
        if self.checkbox_select_all.isChecked():
            self.checkbox_apple.setChecked(True)
            self.checkbox_orange.setChecked(True)
            self.checkbox_banana.setChecked(True)
        else:
            self.checkbox_apple.setChecked(False)
            self.checkbox_orange.setChecked(False)
            self.checkbox_banana.setChecked(False)


if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = SelectAllCheckBox()
    window.show()
    app.exec()

Checkbox-controlled Visibility

Objective: Create a GUI with:

  • A checkbox labeled "Show/Hide Button".
  • A QPushButton labeled "Hidden Button".

Checking/unchecking the checkbox should toggle the visibility of the button.

import sys
from PySide6.QtWidgets import QCheckBox, QApplication, QVBoxLayout, QWidget, QPushButton


class CheckboxControlledVisibility(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle('Checkbox Controlled Visibility')
        self.resize(800, 1000)

        self.checkbox = QCheckBox('Show/Hide Button')
        self.checkbox.setChecked(False)
        self.checkbox.stateChanged.connect(self.button_visibility)

        self.button = QPushButton('Hidden Button')
        self.button.setVisible(False)

        main_layout = QVBoxLayout()
        main_layout.addWidget(self.checkbox)
        main_layout.addWidget(self.button)

        self.setLayout(main_layout)

    def button_visibility(self):
        if self.checkbox.isChecked():
            self.button.setVisible(True)
        else:
            self.button.setVisible(False)


if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = CheckboxControlledVisibility()
    window.show()
    app.exec()

Dynamic Font Style

Objective: Create a GUI with two checkboxes: "Bold" and "Italic". Include a QLabel with the text "Styled Text". Selecting the checkboxes dynamically applies bold and italic styles to the label’s font.

(Hint: Use QFont and setFont().)

import sys

from PySide6.QtCore import Qt
from PySide6.QtGui import QFont
from PySide6.QtWidgets import QApplication, QWidget, QCheckBox, QVBoxLayout, QLabel


class DynamicFont(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle('Dynamic Font Style')
        self.resize(800, 1000)

        self.checkbox_bold = QCheckBox('Bold')
        self.checkbox_bold.stateChanged.connect(self.change_to_bold_italic)

        self.checkbox_italic = QCheckBox('Italic')
        self.checkbox_italic.stateChanged.connect(self.change_to_bold_italic)

        self.label = QLabel('Styled Text')
        self.label.setAlignment(Qt.AlignCenter)
        self.label.setFont(QFont('Arial', 10))

        main_layout = QVBoxLayout()
        main_layout.addWidget(self.checkbox_bold)
        main_layout.addWidget(self.checkbox_italic)
        main_layout.addWidget(self.label)

        self.setLayout(main_layout)

    def change_to_bold_italic(self):
        font = self.label.font()
        font.setBold(self.checkbox_bold.isChecked())
        font.setItalic(self.checkbox_italic.isChecked())
        self.label.setFont(font)


if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = DynamicFont()
    window.show()
    app.exec()

Counting Selected Checkboxes

Objective: Create five checkboxes labeled "Option 1" through "Option 5". Whenever any checkbox is toggled, update a QLabel displaying "Selected: X", indicating how many checkboxes are currently selected.

import sys
from PySide6.QtWidgets import QApplication, QWidget, QCheckBox, QLabel, QVBoxLayout


class CountingSelectedCheckboxes(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle('Counting selected checkboxes')
        self.resize(800, 1000)

        main_layout = QVBoxLayout()

        self.checked_boxes = []

        for i in range(5):
            self.checkbox_name = QCheckBox(f'checkbox_{i + 1}')
            self.checkbox_name.stateChanged.connect(self.update_count)
            self.checked_boxes.append(self.checkbox_name)

        for cb in self.checked_boxes:
            main_layout.addWidget(cb)

        self.label = QLabel()

        main_layout.addWidget(self.label)

        self.setLayout(main_layout)

    def update_count(self):
        count = sum(cb.isChecked() for cb in self.checked_boxes)
        self.label.setText(f'Selected: {count}')


if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = CountingSelectedCheckboxes()
    window.show()
    app.exec()

Checkbox-dependent Message Display

Objective: Create a GUI with a checkbox labeled "Subscribe". When checked, display a QLabel saying "Subscribed!". When unchecked, hide the label again.

import sys
from PySide6.QtWidgets import QCheckBox, QWidget, QHBoxLayout, QLabel, QApplication


class CheckboxDependentMessageDisplay(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle("Checkbox Dependent Message Display")
        self.resize(800, 1000)

        self.checkbox = QCheckBox('Subscribe')
        self.checkbox.setChecked(False)
        self.checkbox.stateChanged.connect(self.subscribe_message)

        self.label = QLabel('Subscribed!')
        self.label.setVisible(False)

        main_layout = QHBoxLayout()
        main_layout.addWidget(self.checkbox)
        main_layout.addWidget(self.label)

        self.setLayout(main_layout)

    def subscribe_message(self):
        if self.checkbox.isChecked():
            self.label.setVisible(True)
        else:
            self.label.setVisible(False)


if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = CheckboxDependentMessageDisplay()
    window.show()
    app.exec()



Expected Outcomes from these exercises:

  • Mastering checkbox interaction handling.
  • Practice using signals like .stateChanged().
  • Understanding how to dynamically update GUI elements.

Leave a Reply

Your email address will not be published. Required fields are marked *