forked from KlipperScreen/KlipperScreen
-
Notifications
You must be signed in to change notification settings - Fork 19
/
screen.py
executable file
·1436 lines (1293 loc) · 60.5 KB
/
screen.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/python
import ast
import argparse
import gc
import json
import logging
import os
import subprocess
import pathlib
import traceback # noqa
import locale
import re
import sys
import gi
gi.require_version("Gtk", "3.0")
from gi.repository import Gtk, Gdk, GLib, Pango
from importlib import import_module
from jinja2 import Environment
from signal import SIGTERM
from datetime import datetime
from ks_includes import functions
from ks_includes.KlippyWebsocket import KlippyWebsocket
from ks_includes.KlippyRest import KlippyRest
from ks_includes.files import KlippyFiles
from ks_includes.KlippyGtk import KlippyGtk
from ks_includes.printer import Printer
from ks_includes.widgets.keyboard import Keyboard
from ks_includes.widgets.prompts import Prompt
from ks_includes.config import KlipperScreenConfig
from panels.base_panel import BasePanel
logging.getLogger("urllib3").setLevel(logging.WARNING)
klipperscreendir = pathlib.Path(__file__).parent.resolve()
def set_text_direction(lang=None):
rtl_languages = ['he']
if lang is None:
for lng in rtl_languages:
if locale.getlocale()[0].startswith(lng):
lang = lng
break
if lang in rtl_languages:
Gtk.Widget.set_default_direction(Gtk.TextDirection.RTL)
logging.debug("Enabling RTL mode")
return False
Gtk.Widget.set_default_direction(Gtk.TextDirection.LTR)
return True
class KlipperScreen(Gtk.Window):
_cur_panels = []
connecting = False
connecting_to_printer = None
connected_printer = None
files = None
keyboard = None
panels = {}
popup_message = None
screensaver = None
printers = None
printer = None
updating = False
_ws = None
screensaver_timeout = None
reinit_count = 0
max_retries = 4
last_popup_msg = None # Happy Hare
initialized = False
initializing = False
popup_timeout = None
wayland = False
notification_log = []
prompt = None
tempstore_timeout = None
def __init__(self, args):
self.server_info = None
try:
super().__init__(title="KlipperScreen")
except Exception as e:
logging.exception(f"{e}\n\n{traceback.format_exc()}")
raise RuntimeError from e
GLib.set_prgname('KlipperScreen')
self.blanking_time = 600
self.use_dpms = True
self.apiclient = None
self.dialogs = []
self.confirm = None
self.panels_reinit = []
self.last_popup_time = datetime.now()
configfile = os.path.normpath(os.path.expanduser(args.configfile))
self._config = KlipperScreenConfig(configfile, self)
self.lang_ltr = set_text_direction(self._config.get_main_config().get("language", None))
self.env = Environment(extensions=["jinja2.ext.i18n"], autoescape=True)
self.env.install_gettext_translations(self._config.get_lang())
self.connect("key-press-event", self._key_press_event)
self.connect("configure_event", self.update_size)
display = Gdk.Display.get_default()
self.display_number = os.environ.get('DISPLAY') or ':0'
logging.debug(f"Display for xset: {self.display_number}")
monitor_amount = Gdk.Display.get_n_monitors(display)
for i in range(monitor_amount):
m = display.get_monitor(i)
logging.info(f"Screen {i}: {m.get_geometry().width}x{m.get_geometry().height}")
try:
mon_n = int(args.monitor)
if not (-1 < mon_n < monitor_amount):
raise ValueError
except ValueError:
mon_n = 0
logging.info(f"Monitors: {monitor_amount} using number: {mon_n}")
monitor = display.get_monitor(mon_n)
self.wayland = display.get_name().startswith('wayland') or display.get_primary_monitor() is None
logging.info(f"Wayland: {self.wayland} Display name: {display.get_name()}")
self.width = self._config.get_main_config().getint("width", None)
self.height = self._config.get_main_config().getint("height", None)
if 'XDG_CURRENT_DESKTOP' in os.environ:
logging.warning("Running inside a desktop environment is not recommended")
if not self.width:
self.width = max(int(monitor.get_geometry().width * .5), 480)
if not self.height:
self.height = max(int(monitor.get_geometry().height * .5), 320)
if self.width or self.height:
logging.info("Setting windowed mode")
if mon_n > 0:
logging.error("Monitor selection is only supported for fullscreen")
self.set_resizable(True)
else:
self.width = monitor.get_geometry().width
self.height = monitor.get_geometry().height
self.fullscreen_on_monitor(self.get_screen(), mon_n)
self.set_default_size(self.width, self.height)
self.aspect_ratio = self.width / self.height
self.vertical_mode = self.aspect_ratio < 1.0
logging.info(f"Screen resolution: {self.width}x{self.height}")
self.theme = self._config.get_main_config().get('theme')
self.show_cursor = self._config.get_main_config().getboolean("show_cursor", fallback=False)
self.setup_gtk_settings()
self.style_provider = Gtk.CssProvider()
self.gtk = KlippyGtk(self)
self.base_css = ""
self.load_base_styles()
self.set_icon_from_file(os.path.join(klipperscreendir, "styles", "icon.svg"))
self.base_panel = BasePanel(self)
self.change_theme(self.theme)
self.add(self.base_panel.main_grid)
self.show_all()
self.update_cursor(self.show_cursor)
min_ver = (3, 8)
if sys.version_info < min_ver:
self.show_error_modal(
"Error",
_("The system doesn't meet the minimum requirement") + "\n"
+ _("Minimum:") + f" Python {min_ver[0]}.{min_ver[1]}" + "\n"
+ _("System:") + f" Python {sys.version_info.major}.{sys.version_info.minor}"
)
return
if self._config.errors:
self.show_error_modal("Invalid config file", self._config.get_errors())
return
self.base_panel.activate()
self.set_screenblanking_timeout(self._config.get_main_config().get('screen_blanking'))
self.log_notification("KlipperScreen Started", 1)
self.initial_connection()
def update_cursor(self, show: bool):
self.show_cursor = show
self.gtk.set_cursor(show, window=self.get_window())
def state_execute(self, state, callback):
self.close_screensaver()
if 'printer_select' in self._cur_panels:
logging.debug(f"Connected printer chaged {state}")
return False
if state in ("printing", "paused"):
self.set_screenblanking_timeout(self._config.get_main_config().get('screen_blanking_printing'))
else:
self.set_screenblanking_timeout(self._config.get_main_config().get('screen_blanking'))
for warning in self.printer.warnings:
self.show_popup_message(f"Klipper:\n{warning['message']}", level=2)
callback()
return False
def initial_connection(self):
self.printers = self._config.get_printers()
state_callbacks = {
"disconnected": self.state_disconnected,
"error": self.state_error,
"paused": self.state_paused,
"printing": self.state_printing,
"ready": self.state_ready,
"startup": self.state_startup,
"shutdown": self.state_shutdown
}
# Happy Hare vvv
sticky_panel=self._config.get_main_config().get("sticky_panel", None)
if not sticky_panel is None:
self.base_panel.action_bar.set_visible(False)
self.base_panel.action_bar.set_no_show_all(True)
self.base_panel.titlebar.set_visible(False)
self.base_panel.titlebar.set_no_show_all(True)
for x in ["printing", "ready"]:
state_callbacks[x]=self.state_sticky_panel
else:
self.base_panel.action_bar.set_visible(True)
self.base_panel.action_bar.set_no_show_all(False)
self.base_panel.titlebar.set_visible(True)
self.base_panel.titlebar.set_no_show_all(False)
# Happy Hare ^^^
for printer in self.printers:
printer["data"] = Printer(self.state_execute, state_callbacks)
default_printer = self._config.get_main_config().get('default_printer')
logging.debug(f"Default printer: {default_printer}")
if [True for p in self.printers if default_printer in p]:
self.connect_printer(default_printer)
elif len(self.printers) == 1:
pname = list(self.printers[0])[0]
self.connect_printer(pname)
else:
self.base_panel.show_printer_select(True)
self.show_printer_select()
def close_websocket(self):
self._ws.close()
self.connected_printer = None
self.printer.state = "disconnected"
def connect_printer(self, name):
self.connecting_to_printer = name
if self._ws is not None and self._ws.connected:
self.printer_initializing("Waiting Websocket closure")
self.close_websocket()
return
gc.collect()
self.connecting = True
self.initialized = False
self.initializing = False
logging.info(f"Connecting to printer: {name}")
ind = next(
(
self.printers.index(printer)
for printer in self.printers
if name == list(printer)[0]
),
0,
)
self.printer = self.printers[ind]["data"]
self.apiclient = KlippyRest(
self.printers[ind][name]["moonraker_host"],
self.printers[ind][name]["moonraker_port"],
self.printers[ind][name]["moonraker_api_key"],
self.printers[ind][name]["moonraker_path"],
self.printers[ind][name]["moonraker_ssl"],
)
self._ws = KlippyWebsocket(
{
"on_connect": self.websocket_connected,
"on_message": self._websocket_callback,
"on_close": self.websocket_disconnected,
"on_cancel": self.websocket_connection_cancel,
},
self.printers[ind][name]["moonraker_host"],
self.printers[ind][name]["moonraker_port"],
self.printers[ind][name]["moonraker_api_key"],
self.printers[ind][name]["moonraker_path"],
self.printers[ind][name]["moonraker_ssl"],
)
if self.files is None:
self.files = KlippyFiles(self)
else:
self.files.reinit()
self.reinit_count = 0
self.printer_initializing(_("Connecting to %s") % name, True)
self.connect_to_moonraker()
def ws_subscribe(self):
requested_updates = {
"objects": {
"bed_mesh": ["profile_name", "mesh_max", "mesh_min", "probed_matrix", "profiles"],
"configfile": ["config", "warnings"],
"display_status": ["progress", "message"],
"fan": ["speed"],
"gcode_move": ["extrude_factor", "gcode_position", "homing_origin", "speed_factor", "speed"],
"idle_timeout": ["state"],
"pause_resume": ["is_paused"],
"print_stats": ["print_duration", "total_duration", "filament_used", "filename", "state", "message",
"info"],
"toolhead": ["homed_axes", "estimated_print_time", "print_time", "position", "extruder",
"max_accel", "minimum_cruise_ratio", "max_velocity", "square_corner_velocity"],
"virtual_sdcard": ["file_position", "is_active", "progress"],
"webhooks": ["state", "state_message"],
"firmware_retraction": ["retract_length", "retract_speed", "unretract_extra_length", "unretract_speed"],
"motion_report": ["live_position", "live_velocity", "live_extruder_velocity"],
"exclude_object": ["current_object", "objects", "excluded_objects"],
"manual_probe": ['is_active'],
"screws_tilt_adjust": ['results', 'error'],
"mmu": ["enabled", "is_locked", "is_homed", "tool", "next_tool", "last_tool", "last_toolchange", "gate",
"clog_detection", "endless_spool", "filament", "servo", "gate_status", "gate_material", "gate_color",
"gate_spool_id", "endless_spool_groups", "ttg_map", "filament_pos", "filament_direction", "action",
"has_bypass", "sync_drive", "tool_extrusion_multipliers", "tool_speed_multipliers", "print_state"],
}
}
for extruder in self.printer.get_tools():
requested_updates['objects'][extruder] = [
"target", "temperature", "pressure_advance", "smooth_time", "power"]
for h in self.printer.get_heaters():
requested_updates['objects'][h] = ["target", "temperature", "power"]
for t in self.printer.get_temp_sensors():
requested_updates['objects'][t] = ["temperature"]
for f in self.printer.get_temp_fans():
requested_updates['objects'][f] = ["target", "temperature"]
for f in self.printer.get_fans():
requested_updates['objects'][f] = ["speed"]
for f in self.printer.get_filament_sensors():
requested_updates['objects'][f] = ["enabled", "filament_detected"]
for p in self.printer.get_pwm_tools() + self.printer.get_output_pins():
requested_updates['objects'][p] = ["value"]
for led in self.printer.get_leds():
requested_updates['objects'][led] = ["color_data"]
for e in self.printer.get_mmu_encoders(): # Happy Hare
requested_updates['objects'][e] = ["encoder_pos", "detection_length", "min_headroom", "headroom", "desired_headroom", "detection_mode", "enabled", "flow_rate"]
self._ws.klippy.object_subscription(requested_updates)
# Happy Hare TODO make this extensible with variables references in custom Menus..? Can you call object_subscription more than once?
@staticmethod
def _load_panel(panel):
logging.debug(f"Loading panel: {panel}")
panel_path = os.path.join(os.path.dirname(__file__), 'panels', f"{panel}.py")
if not os.path.exists(panel_path):
logging.error(f"Panel {panel} does not exist")
raise FileNotFoundError(os.strerror(2), "\n" + panel_path)
return import_module(f"panels.{panel}")
def show_panel(self, panel, title=None, remove_all=False, panel_name=None, **kwargs):
if panel_name is None:
panel_name = panel
if self._cur_panels and panel_name == self._cur_panels[-1]:
logging.error("Panel is already is in view")
return
try:
if remove_all:
self.panels_reinit = list(self.panels)
if panel in self._cur_panels:
self._menu_go_back(home=True)
else:
self._remove_all_panels()
for dialog in self.dialogs:
self.gtk.remove_dialog(dialog)
else:
self._remove_current_panel()
if panel_name not in self.panels:
try:
self.panels[panel_name] = self._load_panel(panel).Panel(self, title, **kwargs)
except Exception as e:
self.show_error_modal(f"Unable to load panel {panel}", f"{e}\n\n{traceback.format_exc()}")
return
elif panel_name in self.panels_reinit:
logging.info(f"Reinitializing panel {panel}")
self.panels[panel_name].__init__(self, title, **kwargs)
self.panels_reinit.remove(panel_name)
self._cur_panels.append(panel_name)
if 'extra' in kwargs and hasattr(self.panels[panel], "set_extra"):
self.panels[panel].set_extra(**kwargs)
self.attach_panel(panel_name)
except Exception as e:
logging.exception(f"Error attaching panel:\n{e}\n\n{traceback.format_exc()}")
def set_panel_title(self, title):
self.base_panel.set_title(title)
def attach_panel(self, panel):
if panel in self.panels_reinit:
# this happens when the first panel needs a reinit
self.reload_panels()
return
self.base_panel.add_content(self.panels[panel])
logging.debug(f"Current panel hierarchy: {' > '.join(self._cur_panels)}")
while len(self.panels[panel].menu) > 1:
self.panels[panel].unload_menu()
if hasattr(self.panels[panel], "process_update"):
self.process_update("notify_status_update", self.printer.data)
if hasattr(self.panels[panel], "activate"):
self.panels[panel].activate()
self.show_all()
if hasattr(self.panels[panel], "post_attach"): # Happy Hare - Gtk.Notebook must be rendered before layer selected
self.panels[panel].post_attach()
def log_notification(self, message, level=0):
time = datetime.now().strftime("%H:%M:%S")
log_entry = {"message": message, "level": level, "time": time}
if len(self.notification_log) > 999:
del self.notification_log[0]
self.notification_log.append(log_entry)
self.process_update("notify_log", log_entry)
def notification_log_clear(self):
self.notification_log.clear()
def show_popup_message(self, message, level=3, from_ws=False, save=False, monospace=False): # Happy Hare: added `save=, monospace=` functionality
message = message.replace("// ", "") # Happy Hare added to clean up multi-line messages
if from_ws:
if (datetime.now() - self.last_popup_time).seconds < 1:
return
self.last_popup_time = datetime.now()
self.close_screensaver()
if self.popup_message is not None:
self.close_popup_message()
self.log_notification(message, level)
msg = Gtk.Button(label=f"{message}", hexpand=True, vexpand=True)
for widget in msg.get_children():
if isinstance(widget, Gtk.Label):
widget.set_line_wrap(True)
widget.set_line_wrap_mode(Pango.WrapMode.WORD_CHAR)
widget.set_max_width_chars(40)
msg.connect("clicked", self.close_popup_message)
msg.get_style_context().add_class("message_popup")
if level == 1:
msg.get_style_context().add_class("message_popup_echo")
logging.info(f'echo: {message}')
elif level == 2:
msg.get_style_context().add_class("message_popup_warning")
logging.info(f'warning: {message}')
else:
msg.get_style_context().add_class("message_popup_error")
logging.info(f'error: {message}')
popup = Gtk.Popover(relative_to=self.base_panel.titlebar,
halign=Gtk.Align.CENTER, width_request=int(self.width * .9))
popup.get_style_context().add_class("message_popup_popover")
if monospace: # Happy Hare added
popup.get_style_context().add_class("mmu_monospace_popup")
popup.add(msg)
popup.popup()
self.popup_message = popup
self.popup_message.show_all()
if save: # Happy Hare added
self.last_popup_msg = message
if self._config.get_main_config().getboolean('autoclose_popups', True):
if self.popup_timeout is not None:
GLib.source_remove(self.popup_timeout)
self.popup_timeout = None
timeout = 300 if level == 2 else 10
self.popup_timeout = GLib.timeout_add_seconds(timeout, self.close_popup_message)
return False
def close_popup_message(self, widget=None):
if self.popup_message is None:
return False
self.popup_message.popdown()
if self.popup_timeout is not None:
GLib.source_remove(self.popup_timeout)
self.popup_timeout = None
self.popup_message = None
return False
def show_last_popup_message(self, extra_msg=None): # Happy Hare
msg = self.last_popup_msg if self.last_popup_msg != None else ""
if extra_msg != None:
msg += (f"\n\n{extra_msg}")
if len(msg) > 0:
self.show_popup_message(msg, level=3, save=False)
def clear_last_popup_message(self): # Happy Hare
self.last_popup_msg = None
def have_last_popup_message(self): # Happy Hare
return (self.last_popup_msg != None)
def show_error_modal(self, title_msg, description="", help_msg=None):
logging.error(f"Showing error modal: {title_msg} {description}")
title = Gtk.Label(wrap=True, wrap_mode=Pango.WrapMode.CHAR, hexpand=True, halign=Gtk.Align.START)
title.set_markup(f"<b>{title_msg}</b>\n")
version = Gtk.Label(label=f"{functions.get_software_version()}", halign=Gtk.Align.END)
if not help_msg:
help_msg = _("Provide KlipperScreen.log when asking for help.\n")
message = Gtk.Label(label=f"{description}\n\n{help_msg}", wrap=True, wrap_mode=Pango.WrapMode.CHAR)
scroll = self.gtk.ScrolledWindow()
scroll.set_policy(Gtk.PolicyType.NEVER, Gtk.PolicyType.AUTOMATIC)
scroll.add(message)
grid = Gtk.Grid()
grid.attach(title, 0, 0, 1, 1)
grid.attach(version, 1, 0, 1, 1)
grid.attach(Gtk.Separator(), 0, 1, 2, 1)
grid.attach(scroll, 0, 2, 2, 1)
buttons = [
{"name": _("Close"), "response": Gtk.ResponseType.CLOSE}
]
self.gtk.Dialog(_("Error"), buttons, grid, self.error_modal_response)
@staticmethod
def error_modal_response(dialog, response_id):
os._exit(1)
def restart_ks(self, *args):
logging.debug(f"Restarting {sys.executable} {' '.join(sys.argv)}")
os.execv(sys.executable, ['python'] + sys.argv)
# noinspection PyUnreachableCode
self._ws.send_method("machine.services.restart", {"service": "KlipperScreen"}) # Fallback
def setup_gtk_settings(self):
settings = Gtk.Settings.get_default()
settings.set_property("gtk-theme-name", "Adwaita")
settings.set_property("gtk-application-prefer-dark-theme", False)
def load_base_styles(self):
base_conf_path = os.path.join(klipperscreendir, "styles", "base.conf")
with open(base_conf_path) as f:
self.style_options = json.load(f)
self.gtk.color_list = self.style_options['graph_colors']
base_css_path = os.path.join(klipperscreendir, "styles", "base.css")
self.base_css = pathlib.Path(base_css_path).read_text()
self.base_css = self.base_css.replace("KS_FONT_SIZE", f"{self.gtk.font_size}")
self.base_css = self.customize_graph_colors(self.base_css)
self.style_provider.load_from_data(self.base_css.encode())
Gtk.StyleContext.add_provider_for_screen(
Gdk.Screen.get_default(),
Gtk.CssProvider(),
Gtk.STYLE_PROVIDER_PRIORITY_APPLICATION
)
def load_custom_theme(self, theme_name):
theme_dir = os.path.join(klipperscreendir, "styles", theme_name)
theme_css_path = os.path.join(theme_dir, "style.css")
theme_conf_path = os.path.join(theme_dir, "style.conf")
theme_css = ""
theme_options = {}
if os.path.exists(theme_css_path):
theme_css = pathlib.Path(theme_css_path).read_text()
if os.path.exists(theme_conf_path):
try:
with open(theme_conf_path) as f:
theme_options = json.load(f)
except Exception as e:
logging.error(
f"Unable to parse custom template conf file:\n"
f"{e}\n\n"
f"{traceback.format_exc()}"
)
return theme_css, theme_options
def customize_graph_colors(self, css_data):
for category, category_data in self.style_options['graph_colors'].items():
for i, color in enumerate(category_data['colors'], start=0):
if category == "extruder":
class_name = f".graph_label_{category}{i}" if i > 0 else f".graph_label_{category}"
elif category == "bed":
class_name = f".graph_label_heater_{category}"
else:
class_name = f".graph_label_{category}_{i + 1}"
css_data += f"\n{class_name} {{ border-left-color: #{color} }}"
return css_data
def update_style_provider(self, theme_css):
css_data = self.customize_graph_colors(theme_css)
css_data = self.base_css + css_data
screen = Gdk.Screen.get_default()
if self.style_provider:
Gtk.StyleContext.remove_provider_for_screen(screen, self.style_provider)
self.style_provider = Gtk.CssProvider()
self.style_provider.load_from_data(css_data.encode())
Gtk.StyleContext.add_provider_for_screen(
screen,
self.style_provider,
Gtk.STYLE_PROVIDER_PRIORITY_APPLICATION
)
def change_theme(self, theme_name=None):
if not theme_name:
theme_name = self._config.get_main_config().get('theme')
self.gtk.update_themedir(theme_name)
theme_css, theme_options = self.load_custom_theme(theme_name)
self.style_options.update(theme_options)
self.gtk.color_list = self.style_options['graph_colors']
self.update_style_provider(theme_css)
self.reload_icon_theme()
def reload_icon_theme(self):
self.panels_reinit = list(self.panels)
self.base_panel.reload_icons()
def _go_to_submenu(self, widget, name):
logging.info(f"#### Go to submenu {name}")
# Find current menu item
if "main_menu" in self._cur_panels:
menu = "__main"
elif "splash_screen" in self._cur_panels:
menu = "__splashscreen"
else:
menu = "__print"
logging.info(f"#### Menu {menu}")
disname = self._config.get_menu_name(menu, name)
menuitems = self._config.get_menu_items(menu, name)
if len(menuitems) != 0:
self.show_panel("menu", disname, panel_name=name, items=menuitems)
logging.info(f"menu, {disname}, panel_name={name}, items={menuitems}")
else:
logging.info("No items in menu")
def _remove_all_panels(self):
logging.debug("Removing all panels")
while len(self._cur_panels) > 0:
self._remove_current_panel()
del self._cur_panels[-1]
self._cur_panels.clear()
self.close_screensaver()
gc.collect()
def _remove_current_panel(self):
if not self._cur_panels:
return
if hasattr(self.panels[self._cur_panels[-1]], "deactivate"):
self.panels[self._cur_panels[-1]].deactivate()
self.base_panel.remove(self.panels[self._cur_panels[-1]].content)
def _menu_go_back(self, widget=None, home=False):
logging.info(f"#### Menu go {'home' if home else 'back'}")
self.remove_keyboard()
while len(self._cur_panels) > 1:
self._remove_current_panel()
del self._cur_panels[-1]
if not home:
break
self.attach_panel(self._cur_panels[-1])
def _menu_go_to(self, widget, panel_name, title): # Happy Hare added
logging.info(f"#### Menu go_to {panel_name}")
self._menu_go_back(widget, home=True)
self.show_panel(panel_name, title, remove_all=False)
def reset_screensaver_timeout(self, *args):
if self.screensaver_timeout is not None:
GLib.source_remove(self.screensaver_timeout)
self.screensaver_timeout = None
if self.use_dpms:
return
if self.printer and self.printer.state in ("printing", "paused"):
use_screensaver = self._config.get_main_config().get('screen_blanking_printing') != "off"
else:
use_screensaver = self._config.get_main_config().get('screen_blanking') != "off"
if use_screensaver:
self.screensaver_timeout = GLib.timeout_add_seconds(self.blanking_time, self.show_screensaver)
def show_screensaver(self):
logging.debug("Showing Screensaver")
if self.screensaver is not None:
self.close_screensaver()
if self.screensaver_timeout is not None:
GLib.source_remove(self.screensaver_timeout)
self.screensaver_timeout = None
if self.blanking_time == 0:
return False
self.remove_keyboard()
self.close_popup_message()
for dialog in self.dialogs:
logging.debug("Hiding dialog")
dialog.hide()
close = Gtk.Button()
close.connect("clicked", self.close_screensaver)
box = Gtk.Box(halign=Gtk.Align.CENTER, width_request=self.width, height_request=self.height)
box.pack_start(close, True, True, 0)
box.get_style_context().add_class("screensaver")
self.remove(self.base_panel.main_grid)
self.add(box)
# Avoid leaving a cursor-handle
close.grab_focus()
self.gtk.set_cursor(False, window=self.get_window())
self.screensaver = box
self.screensaver.show_all()
self.power_devices(None, self._config.get_main_config().get("screen_off_devices", ""), on=False)
return False
def close_screensaver(self, widget=None):
if self.screensaver is None:
return False
logging.debug("Closing Screensaver")
self.remove(self.screensaver)
self.screensaver = None
self.add(self.base_panel.main_grid)
if self.use_dpms:
self.wake_screen()
else:
self.reset_screensaver_timeout()
for dialog in self.dialogs:
logging.info(f"Restoring Dialog {dialog}")
dialog.show()
self.gtk.set_cursor(self.show_cursor, window=self.get_window())
self.show_all()
self.power_devices(None, self._config.get_main_config().get("screen_on_devices", ""), on=True)
def check_dpms_state(self):
if not self.use_dpms:
return False
state = functions.get_DPMS_state()
if state == functions.DPMS_State.Fail:
logging.info("DPMS State FAIL: Stopping DPMS Check")
self.set_dpms(False)
return False
elif state != functions.DPMS_State.On:
if self.screensaver is None:
self.show_screensaver()
return True
def wake_screen(self):
# Wake the screen (it will go to standby as configured)
if self._config.get_main_config().get('screen_blanking') != "off":
logging.debug("Screen wake up")
if not self.wayland:
os.system(f"xset -display {self.display_number} dpms force on")
def set_dpms(self, use_dpms):
self.use_dpms = use_dpms
logging.info(f"DPMS set to: {self.use_dpms}")
if self.printer.state in ("printing", "paused"):
self.set_screenblanking_timeout(self._config.get_main_config().get('screen_blanking_printing'))
else:
self.set_screenblanking_timeout(self._config.get_main_config().get('screen_blanking'))
def set_screenblanking_printing_timeout(self, time):
if self.printer.state in ("printing", "paused"):
self.set_screenblanking_timeout(time)
def set_screenblanking_timeout(self, time):
if not self.wayland:
os.system(f"xset -display {self.display_number} s off")
self.use_dpms = self._config.get_main_config().getboolean("use_dpms", fallback=True)
if time == "off":
logging.debug(f"Screen blanking: {time}")
self.blanking_time = 0
if not self.wayland:
os.system(f"xset -display {self.display_number} dpms 0 0 0")
return
self.blanking_time = abs(int(time))
logging.debug(f"Changing screen blanking to: {self.blanking_time}")
if self.use_dpms and functions.dpms_loaded is True:
if not self.wayland:
os.system(f"xset -display {self.display_number} +dpms")
if functions.get_DPMS_state() == functions.DPMS_State.Fail:
logging.info("DPMS State FAIL")
self.show_popup_message(_("DPMS has failed to load and has been disabled"))
self._config.set("main", "use_dpms", "False")
self._config.save_user_config_options()
else:
logging.debug("Using DPMS")
if not self.wayland:
os.system(f"xset -display {self.display_number} dpms 0 {self.blanking_time} 0")
GLib.timeout_add_seconds(1, self.check_dpms_state)
return
# Without dpms just blank the screen
logging.debug("Not using DPMS")
if not self.wayland:
os.system(f"xset -display {self.display_number} dpms 0 0 0")
self.reset_screensaver_timeout()
return
def show_printer_select(self, widget=None):
self.base_panel.show_heaters(False)
self.show_panel("printer_select", remove_all=True)
def websocket_connection_cancel(self):
self.printer_initializing(
_("Cannot connect to Moonraker") + '\n\n'
+ f'{self.apiclient.status}'
)
def websocket_connected(self):
logging.debug("### websocket_connected")
self._ws.klippy.identify_client(functions.get_software_version(), self._ws.api_key)
self.reinit_count = 0
self.connecting = False
self.connected_printer = self.connecting_to_printer
self.base_panel.set_ks_printer_cfg(self.connected_printer)
self.init_moonraker_components()
self.init_klipper()
def websocket_disconnected(self):
logging.debug("### websocket_disconnected")
self.printer.state = "disconnected"
self.connecting = True
self.connected_printer = None
self.initialized = False
if 'printer_select' not in self._cur_panels:
self.printer_initializing(_("Lost Connection to Moonraker"), go_to_splash=True)
self.connect_printer(self.connecting_to_printer)
else:
self.panels['printer_select'].disconnected_callback()
def state_sticky_panel(self): # Happy Hare
if "job_status" in self._cur_panels and wait:
return
if not self.initialized:
logging.debug("Printer not initialized yet")
self.printer.state = "not ready"
return
sticky_panel=self._config.get_main_config().get("sticky_panel", None)
self.show_panel(sticky_panel, remove_all=True)
def state_disconnected(self):
logging.debug("### Going to disconnected")
self.printer.stop_tempstore_updates()
self.initialized = False
self.reinit_count = 0
self._init_printer(_("Klipper has disconnected"), go_to_splash=True)
def state_error(self):
msg = _("Klipper has encountered an error.") + "\n"
state = self.printer.get_stat("webhooks", "state_message")
if "FIRMWARE_RESTART" in state:
msg += _("A FIRMWARE_RESTART may fix the issue.") + "\n"
elif "micro-controller" in state:
msg += _("Please recompile and flash the micro-controller.") + "\n"
self.printer_initializing(msg + "\n" + state, go_to_splash=True)
def state_paused(self):
self.state_printing()
if self._config.get_main_config().get("sticky_panel", None): return # Happy Hare
if self.prompt is not None: return # Happy Hare
mmu_active = True if "mmu_main" in self._cur_panels else False # Happy Hare
if self._config.get_main_config().getboolean("auto_open_extrude", fallback=True) and not mmu_active: # Happy hare
self.show_panel("extrude")
def state_printing(self):
self.close_screensaver() # Happy Hare
if self._config.get_main_config().get("sticky_panel", None): return # Happy Hare
if self.prompt is not None: return # Happy Hare
mmu_active = True if "mmu_main" in self._cur_panels else False # Happy Hare
self.show_panel("job_status", remove_all=True)
if mmu_active: # Happy Hare
self.show_panel("mmu_main", 'MMU')
def state_ready(self, wait=True):
if self._config.get_main_config().get("sticky_panel", None): return # Happy Hare
# Do not return to main menu if completing a job, timeouts/user input will return
if "job_status" in self._cur_panels and wait:
return
if not self.initialized:
logging.debug("Printer not initialized yet")
self.printer.state = "not ready"
return
if self.prompt is not None: return # Happy Hare
mmu_active = True if "mmu_main" in self._cur_panels else False # Happy Hare
self.files.refresh_files()
self.show_panel("main_menu", remove_all=True, items=self._config.get_menu_items("__main"))
if mmu_active: # Happy Hare
self.show_panel("mmu_main", 'MMU')
def state_startup(self):
self.printer_initializing(_("Klipper is attempting to start"))
def state_shutdown(self):
self.printer.stop_tempstore_updates()
msg = self.printer.get_stat("webhooks", "state_message")
self.printer_initializing(_("Klipper has shutdown") + "\n\n" + msg, go_to_splash=True)
def toggle_shortcut(self, show):
if show and not self.printer.get_printer_status_data()["printer"]["gcode_macros"]["count"] > 0:
self.show_popup_message(
_("No elegible macros:") + "\n"
+ _("macros with a name starting with '_' are hidden") + "\n"
+ _("macros that use 'rename_existing' are hidden") + "\n"
+ _("LOAD_FILAMENT/UNLOAD_FILAMENT are hidden and should be used from extrude") + "\n"
)
self.base_panel.show_shortcut(show)
def toggle_mmu_shortcut(self, value): # Happy Hare
self.base_panel.show_mmu_shortcut(value and self.printer.has_mmu)
def change_language(self, widget, lang):
self._config.install_language(lang)
self.lang_ltr = set_text_direction(lang)
self.env.install_gettext_translations(self._config.get_lang())
self._config._create_configurable_options(self)
self._config.set('main', 'language', lang)
self._config.save_user_config_options()
self.reload_panels()
def reload_panels(self, *args):
if "printer_select" in self._cur_panels:
self.show_printer_select()
return
home = self._cur_panels[0]
self.panels_reinit = list(self.panels)
self._remove_all_panels()
if home == "main_menu":
self.show_panel(home, items=self._config.get_menu_items("__main"))
else:
self.show_panel(home)
def _websocket_callback(self, action, data):
if self.connecting:
logging.debug("Not connected")
return
if action == "notify_klippy_disconnected":
self.printer.process_update({'webhooks': {'state': "disconnected"}})
return
elif action == "notify_klippy_shutdown":
self.printer.process_update({'webhooks': {'state': "shutdown"}})
return
elif action == "notify_klippy_ready":
if not self.initialized:
self.reinit_count = 0
self.init_klipper()
return
self.printer.process_update({'webhooks': {'state': "ready"}})
return
elif action == "notify_status_update" and self.printer.state != "shutdown":
self.printer.process_update(data)
if 'manual_probe' in data and data['manual_probe']['is_active'] and 'zcalibrate' not in self._cur_panels:
self.show_panel("zcalibrate")
if "screws_tilt_adjust" in data and 'bed_level' not in self._cur_panels:
self.show_panel("bed_level")
elif action == "notify_filelist_changed":
if self.files is not None:
self.files.process_update(data)
return
elif action == "notify_metadata_update":
self.files.request_metadata(data['filename'])
return
elif action == "notify_update_response":
if 'message' in data and 'Error' in data['message']:
logging.error(f"{action}:{data['message']}")
self.show_popup_message(data['message'], 3, from_ws=True)
if "KlipperScreen" in data['message']:
self.restart_ks()
elif action == "notify_power_changed":
logging.debug("Power status changed: %s", data)
self.printer.process_power_update(data)
self.panels['splash_screen'].check_power_status()
elif action == "notify_gcode_response" and self.printer.state not in ["error", "shutdown"]:
if re.match('^(?:ok\\s+)?(B|C|T\\d*):', data):
return
if data.startswith("// action:"):
self.process_action(data[10:])
return
elif data.startswith("echo: "):
self.show_popup_message(data[6:], 1, from_ws=True)
elif "!! Extrude below minimum temp" in data:
if self._cur_panels[-1] != "temperature":
self.show_panel("temperature", extra=self.printer.get_stat("toolhead", "extruder"))
self.show_popup_message(_("Temperature too low to extrude"))
return
elif data.startswith("!! "):
if data.startswith("!! MMU"): # Happy Hare added condition
self.show_popup_message(data[3:], 3, from_ws=False, save=True)
else:
self.show_popup_message(data[3:], 3, from_ws=True)
elif (
"unknown" in data.lower()
and "TESTZ" not in data
and "MEASURE_AXES_NOISE" not in data
and "ACCELEROMETER_QUERY" in data
and "MMU" not in data
and "TTG Map" not in data
and "Gates / Filaments" not in data
and "from Unknown to" not in data
and "Tool Unknown" not in data
): # Happy Hare modified
if data.startswith("// "): # Happy Hare added
self.show_popup_message(data[3:], from_ws=True)
else:
self.show_popup_message(data, from_ws=True)
elif "SAVE_CONFIG" in data and self.printer.state == "ready":
script = {"script": "SAVE_CONFIG"}
self._confirm_send_action(
None,