123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333 |
- import tkinter
- import sys
- import os
- import platform
- import ctypes
- from typing import Union, Tuple, Optional
- from packaging import version
- from .widgets.theme import ThemeManager
- from .widgets.scaling import CTkScalingBaseClass
- from .widgets.appearance_mode import CTkAppearanceModeBaseClass
- from customtkinter.windows.widgets.utility.utility_functions import pop_from_dict_by_set, check_kwargs_empty
- CTK_PARENT_CLASS = tkinter.Tk
- class CTk(CTK_PARENT_CLASS, CTkAppearanceModeBaseClass, CTkScalingBaseClass):
- """
- Main app window with dark titlebar on Windows and macOS.
- For detailed information check out the documentation.
- """
- _valid_tk_constructor_arguments: set = {"screenName", "baseName", "className", "useTk", "sync", "use"}
- _valid_tk_configure_arguments: set = {'bd', 'borderwidth', 'class', 'menu', 'relief', 'screen',
- 'use', 'container', 'cursor', 'height',
- 'highlightthickness', 'padx', 'pady', 'takefocus', 'visual', 'width'}
- _deactivate_macos_window_header_manipulation: bool = False
- _deactivate_windows_window_header_manipulation: bool = False
- def __init__(self,
- fg_color: Optional[Union[str, Tuple[str, str]]] = None,
- **kwargs):
- self._enable_macos_dark_title_bar()
- # call init methods of super classes
- CTK_PARENT_CLASS.__init__(self, **pop_from_dict_by_set(kwargs, self._valid_tk_constructor_arguments))
- CTkAppearanceModeBaseClass.__init__(self)
- CTkScalingBaseClass.__init__(self, scaling_type="window")
- check_kwargs_empty(kwargs, raise_error=True)
- self._current_width = 600 # initial window size, independent of scaling
- self._current_height = 500
- self._min_width: int = 0
- self._min_height: int = 0
- self._max_width: int = 1_000_000
- self._max_height: int = 1_000_000
- self._last_resizable_args: Union[Tuple[list, dict], None] = None # (args, kwargs)
- self._fg_color = ThemeManager.theme["CTk"]["fg_color"] if fg_color is None else self._check_color_type(fg_color)
- # set bg of tkinter.Tk
- super().configure(bg=self._apply_appearance_mode(self._fg_color))
- # set title
- self.title("CTk")
- # indicator variables
- self._iconbitmap_method_called = False # indicates if wm_iconbitmap method got called
- self._state_before_windows_set_titlebar_color = None
- self._window_exists = False # indicates if the window is already shown through update() or mainloop() after init
- self._withdraw_called_before_window_exists = False # indicates if withdraw() was called before window is first shown through update() or mainloop()
- self._iconify_called_before_window_exists = False # indicates if iconify() was called before window is first shown through update() or mainloop()
- self._block_update_dimensions_event = False
- # save focus before calling withdraw
- self.focused_widget_before_widthdraw = None
- # set CustomTkinter titlebar icon (Windows only)
- if sys.platform.startswith("win"):
- self.after(200, self._windows_set_titlebar_icon)
- # set titlebar color (Windows only)
- if sys.platform.startswith("win"):
- self._windows_set_titlebar_color(self._get_appearance_mode())
- self.bind('<Configure>', self._update_dimensions_event)
- self.bind('<FocusIn>', self._focus_in_event)
- def destroy(self):
- self._disable_macos_dark_title_bar()
- # call destroy methods of super classes
- tkinter.Tk.destroy(self)
- CTkAppearanceModeBaseClass.destroy(self)
- CTkScalingBaseClass.destroy(self)
- def _focus_in_event(self, event):
- # sometimes window looses jumps back on macOS if window is selected from Mission Control, so has to be lifted again
- if sys.platform == "darwin":
- self.lift()
- def _update_dimensions_event(self, event=None):
- if not self._block_update_dimensions_event:
- detected_width = super().winfo_width() # detect current window size
- detected_height = super().winfo_height()
- # detected_width = event.width
- # detected_height = event.height
- if self._current_width != self._reverse_window_scaling(detected_width) or self._current_height != self._reverse_window_scaling(detected_height):
- self._current_width = self._reverse_window_scaling(detected_width) # adjust current size according to new size given by event
- self._current_height = self._reverse_window_scaling(detected_height) # _current_width and _current_height are independent of the scale
- def _set_scaling(self, new_widget_scaling, new_window_scaling):
- super()._set_scaling(new_widget_scaling, new_window_scaling)
- # Force new dimensions on window by using min, max, and geometry. Without min, max it won't work.
- super().minsize(self._apply_window_scaling(self._current_width), self._apply_window_scaling(self._current_height))
- super().maxsize(self._apply_window_scaling(self._current_width), self._apply_window_scaling(self._current_height))
- super().geometry(f"{self._apply_window_scaling(self._current_width)}x{self._apply_window_scaling(self._current_height)}")
- # set new scaled min and max with delay (delay prevents weird bug where window dimensions snap to unscaled dimensions when mouse releases window)
- self.after(1000, self._set_scaled_min_max) # Why 1000ms delay? Experience! (Everything tested on Windows 11)
- def block_update_dimensions_event(self):
- self._block_update_dimensions_event = False
- def unblock_update_dimensions_event(self):
- self._block_update_dimensions_event = False
- def _set_scaled_min_max(self):
- if self._min_width is not None or self._min_height is not None:
- super().minsize(self._apply_window_scaling(self._min_width), self._apply_window_scaling(self._min_height))
- if self._max_width is not None or self._max_height is not None:
- super().maxsize(self._apply_window_scaling(self._max_width), self._apply_window_scaling(self._max_height))
- def withdraw(self):
- if self._window_exists is False:
- self._withdraw_called_before_window_exists = True
- super().withdraw()
- def iconify(self):
- if self._window_exists is False:
- self._iconify_called_before_window_exists = True
- super().iconify()
- def update(self):
- if self._window_exists is False:
- if sys.platform.startswith("win"):
- if not self._withdraw_called_before_window_exists and not self._iconify_called_before_window_exists:
- # print("window dont exists -> deiconify in update")
- self.deiconify()
- self._window_exists = True
- super().update()
- def mainloop(self, *args, **kwargs):
- if not self._window_exists:
- if sys.platform.startswith("win"):
- self._windows_set_titlebar_color(self._get_appearance_mode())
- if not self._withdraw_called_before_window_exists and not self._iconify_called_before_window_exists:
- # print("window dont exists -> deiconify in mainloop")
- self.deiconify()
- self._window_exists = True
- super().mainloop(*args, **kwargs)
- def resizable(self, width: bool = None, height: bool = None):
- current_resizable_values = super().resizable(width, height)
- self._last_resizable_args = ([], {"width": width, "height": height})
- if sys.platform.startswith("win"):
- self._windows_set_titlebar_color(self._get_appearance_mode())
- return current_resizable_values
- def minsize(self, width: int = None, height: int = None):
- self._min_width = width
- self._min_height = height
- if self._current_width < width:
- self._current_width = width
- if self._current_height < height:
- self._current_height = height
- super().minsize(self._apply_window_scaling(self._min_width), self._apply_window_scaling(self._min_height))
- def maxsize(self, width: int = None, height: int = None):
- self._max_width = width
- self._max_height = height
- if self._current_width > width:
- self._current_width = width
- if self._current_height > height:
- self._current_height = height
- super().maxsize(self._apply_window_scaling(self._max_width), self._apply_window_scaling(self._max_height))
- def geometry(self, geometry_string: str = None):
- if geometry_string is not None:
- super().geometry(self._apply_geometry_scaling(geometry_string))
- # update width and height attributes
- width, height, x, y = self._parse_geometry_string(geometry_string)
- if width is not None and height is not None:
- self._current_width = max(self._min_width, min(width, self._max_width)) # bound value between min and max
- self._current_height = max(self._min_height, min(height, self._max_height))
- else:
- return self._reverse_geometry_scaling(super().geometry())
- def configure(self, **kwargs):
- if "fg_color" in kwargs:
- self._fg_color = self._check_color_type(kwargs.pop("fg_color"))
- super().configure(bg=self._apply_appearance_mode(self._fg_color))
- for child in self.winfo_children():
- try:
- child.configure(bg_color=self._fg_color)
- except Exception:
- pass
- super().configure(**pop_from_dict_by_set(kwargs, self._valid_tk_configure_arguments))
- check_kwargs_empty(kwargs)
- def cget(self, attribute_name: str) -> any:
- if attribute_name == "fg_color":
- return self._fg_color
- else:
- return super().cget(attribute_name)
- def wm_iconbitmap(self, bitmap=None, default=None):
- self._iconbitmap_method_called = True
- super().wm_iconbitmap(bitmap, default)
- def iconbitmap(self, bitmap=None, default=None):
- self._iconbitmap_method_called = True
- super().wm_iconbitmap(bitmap, default)
- def _windows_set_titlebar_icon(self):
- try:
- # if not the user already called iconbitmap method, set icon
- if not self._iconbitmap_method_called:
- customtkinter_directory = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
- self.iconbitmap(os.path.join(customtkinter_directory, "assets", "icons", "CustomTkinter_icon_Windows.ico"))
- except Exception:
- pass
- @classmethod
- def _enable_macos_dark_title_bar(cls):
- if sys.platform == "darwin" and not cls._deactivate_macos_window_header_manipulation: # macOS
- if version.parse(platform.python_version()) < version.parse("3.10"):
- if version.parse(tkinter.Tcl().call("info", "patchlevel")) >= version.parse("8.6.9"): # Tcl/Tk >= 8.6.9
- os.system("defaults write -g NSRequiresAquaSystemAppearance -bool No")
- # This command allows dark-mode for all programs
- @classmethod
- def _disable_macos_dark_title_bar(cls):
- if sys.platform == "darwin" and not cls._deactivate_macos_window_header_manipulation: # macOS
- if version.parse(platform.python_version()) < version.parse("3.10"):
- if version.parse(tkinter.Tcl().call("info", "patchlevel")) >= version.parse("8.6.9"): # Tcl/Tk >= 8.6.9
- os.system("defaults delete -g NSRequiresAquaSystemAppearance")
- # This command reverts the dark-mode setting for all programs.
- def _windows_set_titlebar_color(self, color_mode: str):
- """
- Set the titlebar color of the window to light or dark theme on Microsoft Windows.
- Credits for this function:
- https://stackoverflow.com/questions/23836000/can-i-change-the-title-bar-in-tkinter/70724666#70724666
- MORE INFO:
- https://docs.microsoft.com/en-us/windows/win32/api/dwmapi/ne-dwmapi-dwmwindowattribute
- """
- if sys.platform.startswith("win") and not self._deactivate_windows_window_header_manipulation:
- if self._window_exists:
- self._state_before_windows_set_titlebar_color = self.state()
- # print("window_exists -> state_before_windows_set_titlebar_color: ", self.state_before_windows_set_titlebar_color)
- if self._state_before_windows_set_titlebar_color != "iconic" or self._state_before_windows_set_titlebar_color != "withdrawn":
- self.focused_widget_before_widthdraw = self.focus_get()
- super().withdraw() # hide window so that it can be redrawn after the titlebar change so that the color change is visible
- else:
- # print("window dont exists -> withdraw and update")
- self.focused_widget_before_widthdraw = self.focus_get()
- super().withdraw()
- super().update()
- if color_mode.lower() == "dark":
- value = 1
- elif color_mode.lower() == "light":
- value = 0
- else:
- return
- try:
- hwnd = ctypes.windll.user32.GetParent(self.winfo_id())
- DWMWA_USE_IMMERSIVE_DARK_MODE = 20
- DWMWA_USE_IMMERSIVE_DARK_MODE_BEFORE_20H1 = 19
- # try with DWMWA_USE_IMMERSIVE_DARK_MODE
- if ctypes.windll.dwmapi.DwmSetWindowAttribute(hwnd, DWMWA_USE_IMMERSIVE_DARK_MODE,
- ctypes.byref(ctypes.c_int(value)),
- ctypes.sizeof(ctypes.c_int(value))) != 0:
- # try with DWMWA_USE_IMMERSIVE_DARK_MODE_BEFORE_20h1
- ctypes.windll.dwmapi.DwmSetWindowAttribute(hwnd, DWMWA_USE_IMMERSIVE_DARK_MODE_BEFORE_20H1,
- ctypes.byref(ctypes.c_int(value)),
- ctypes.sizeof(ctypes.c_int(value)))
- except Exception as err:
- print(err)
- if self._window_exists or True:
- # print("window_exists -> return to original state: ", self.state_before_windows_set_titlebar_color)
- if self._state_before_windows_set_titlebar_color == "normal":
- self.deiconify()
- elif self._state_before_windows_set_titlebar_color == "iconic":
- self.iconify()
- elif self._state_before_windows_set_titlebar_color == "zoomed":
- self.state("zoomed")
- else:
- self.state(self._state_before_windows_set_titlebar_color) # other states
- else:
- pass # wait for update or mainloop to be called
- if self.focused_widget_before_widthdraw is not None:
- self.after(1, self.focused_widget_before_widthdraw.focus)
- self.focused_widget_before_widthdraw = None
- def _set_appearance_mode(self, mode_string: str):
- super()._set_appearance_mode(mode_string)
- if sys.platform.startswith("win"):
- self._windows_set_titlebar_color(mode_string)
- super().configure(bg=self._apply_appearance_mode(self._fg_color))
|