-
Notifications
You must be signed in to change notification settings - Fork 3
/
appMain.py
8021 lines (6665 loc) · 351 KB
/
appMain.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
# ###########################################################
# FlatCAM: 2D Post-processing for Manufacturing #
# http://flatcam.org #
# Author: Juan Pablo Caram (c) #
# Date: 2/5/2014 #
# MIT Licence #
# Modified by Marius Stanciu (2019) #
# ###########################################################
from PyQt6 import QtGui, QtWidgets
from PyQt6.QtCore import QSettings, pyqtSlot
from PyQt6.QtCore import Qt, pyqtSignal, QMetaObject
from PyQt6.QtGui import QAction
import os.path
import sys
import urllib.request
import urllib.parse
import urllib.error
from datetime import datetime as dt
from copy import deepcopy, copy
import numpy as np
import getopt
import random
import simplejson as json
import shutil
import traceback
import logging
import time
import webbrowser
import platform
import re
import subprocess
from shapely import Point, MultiPolygon, MultiLineString, Polygon
from shapely.ops import unary_union
from io import StringIO
import gc
from multiprocessing.connection import Listener, Client
from multiprocessing import Pool
import socket
import tkinter as tk
import libs.qdarktheme
import libs.qdarktheme.themes.dark.stylesheet as qdarksheet
import libs.qdarktheme.themes.light.stylesheet as qlightsheet
from typing import Union
# ####################################################################################################################
# ################################### Imports part of FlatCAM #############################################
# ####################################################################################################################
# App appGUI
from appGUI.PlotCanvas import PlotCanvas
from appGUI.PlotCanvasLegacy import PlotCanvasLegacy
from appGUI.PlotCanvas3d import PlotCanvas3d
from appGUI.MainGUI import MainGUI
from appGUI.VisPyVisuals import ShapeCollection
from appGUI.GUIElements import FCMessageBox, FCInputSpinner, FCButton, DialogBoxRadio, FCTree, \
FCInputDoubleSpinner, FCFileSaveDialog, message_dialog, AppSystemTray, FCInputDialogSlider, \
GLay, FCLabel, DialogBoxChoice, VerticalScrollArea
from appGUI.themes import dark_style_sheet, light_style_sheet
# Various
from appCommon.Common import color_variant
from appCommon.Common import ExclusionAreas
from appCommon.Common import AppLogging
from appCommon.RegisterFileKeywords import RegisterFK, Extensions, KeyWords
from appHandlers.appIO import appIO
from appHandlers.appEdit import appEditor
from Bookmark import BookmarkManager
from appDatabase import ToolsDB2
# App defaults (preferences)
from defaults import AppDefaults
from defaults import AppOptions
# App Objects
from appGUI.preferences.OptionsGroupUI import OptionsGroupUI
from appGUI.preferences.PreferencesUIManager import PreferencesUIManager
from appObjects.ObjectCollection import ObjectCollection, GerberObject, ExcellonObject, GeometryObject, \
CNCJobObject, ScriptObject, DocumentObject
from appObjects.AppObjectTemplate import FlatCAMObj
from appObjects.AppObject import AppObject
# App Parsing files
from appParsers.ParseExcellon import Excellon
from appParsers.ParseGerber import Gerber
from camlib import to_dict, Geometry, CNCjob
# App Pre-processors
from appPreProcessor import load_preprocessors
# App appEditors
from appEditors.appGeoEditor import AppGeoEditor
from appEditors.appExcEditor import AppExcEditor
from appEditors.appGerberEditor import AppGerberEditor
from appEditors.appTextEditor import AppTextEditor
from appEditors.appGCodeEditor import AppGCodeEditor
# App Workers
from appProcess import *
from appWorkerStack import WorkerStack
# App Plugins
from appPlugins import *
from numpy import Inf
# App Translation
import gettext
import appTranslation as fcTranslate
import builtins
import darkdetect
fcTranslate.apply_language('strings')
if '_' not in builtins.__dict__:
_ = gettext.gettext
class App(QtCore.QObject):
"""
The main application class. The constructor starts the GUI and all other classes used by the program.
"""
# ###############################################################################################################
# ########################################## App ################################################################
# ###############################################################################################################
# ###############################################################################################################
# #################################### Get Cmd Line Options #####################################################
# ###############################################################################################################
cmd_line_shellfile = ''
cmd_line_shellvar = ''
cmd_line_headless = None
cmd_line_help = "FlatCam.py --shellfile=<cmd_line_shellfile>\n" \
"FlatCam.py --shellvar=<1,'C:\\path',23>\n" \
"FlatCam.py --headless=1"
try:
# Multiprocessing pool will spawn additional processes with 'multiprocessing-fork' flag
cmd_line_options, args = getopt.getopt(sys.argv[1:], "h:", ["shellfile=",
"shellvar=",
"headless=",
"multiprocessing-fork="])
except getopt.GetoptError:
print(cmd_line_help)
sys.exit(2)
for opt, arg in cmd_line_options:
if opt == '-h':
print(cmd_line_help)
sys.exit()
elif opt == '--shellfile':
cmd_line_shellfile = arg
elif opt == '--shellvar':
cmd_line_shellvar = arg
elif opt == '--headless':
try:
cmd_line_headless = eval(arg)
except NameError:
pass
# ###############################################################################################################
# ################################### Version and VERSION DATE ##################################################
# ###############################################################################################################
version = "Unstable"
# version = 1.0
version_date = "2023/6/31"
beta = True
engine = '3D'
# current date now
date = str(dt.today()).rpartition('.')[0]
date = ''.join(c for c in date if c not in ':-')
date = date.replace(' ', '_')
# ###############################################################################################################
# ############################################ URLS's ###########################################################
# ###############################################################################################################
# URL for update checks and statistics
version_url = "http://flatcam.org/version"
# App URL
app_url = "http://flatcam.org"
# Manual URL
manual_url = "http://flatcam.org/manual/index.html"
video_url = "https://www.youtube.com/playlist?list=PLVvP2SYRpx-AQgNlfoxw93tXUXon7G94_"
gerber_spec_url = "https://www.ucamco.com/files/downloads/file/81/The_Gerber_File_Format_specification." \
"pdf?7ac957791daba2cdf4c2c913f67a43da"
excellon_spec_url = "https://www.ucamco.com/files/downloads/file/305/the_xnc_file_format_specification.pdf"
bug_report_url = "https://bitbucket.org/jpcgt/flatcam/issues?status=new&status=open"
donate_url = "https://www.paypal.com/cgi-bin/webscr?cmd=_" \
"donations&business=WLTJJ3Q77D98L¤cy_code=USD&source=url"
# this variable will hold the project status
# if True it will mean that the project was modified and not saved
should_we_save = False
# flag is True if saving action has been triggered
save_in_progress = False
# ###############################################################################################################
# ####################################### APP Signals ######################################################
# ###############################################################################################################
# Inform the user
# Handled by: App.info() --> Print on the status bar
inform = QtCore.pyqtSignal([str], [str, bool])
# Handled by: App.info_shell() --> Print on the shell
inform_shell = QtCore.pyqtSignal([str], [str, bool])
inform_no_echo = QtCore.pyqtSignal(str)
app_quit = QtCore.pyqtSignal()
# General purpose background task
worker_task = QtCore.pyqtSignal(dict)
# File opened
# Handled by:
# * register_folder()
# * register_recent()
# Note: Setting the parameters to unicode does not seem
# to have an effect. Then are received as Qstring
# anyway.
# File type and filename
file_opened = QtCore.pyqtSignal(str, str)
# File type and filename
file_saved = QtCore.pyqtSignal(str, str)
# close app signal
close_app_signal = pyqtSignal()
# will perform the cleanup operation after a Graceful Exit
# usefull for the NCC Tool and Paint Tool where some progressive plotting might leave
# graphic residues behind
cleanup = pyqtSignal()
# emitted when the new_project is created in a threaded way
new_project_signal = pyqtSignal()
# Percentage of progress
progress = QtCore.pyqtSignal(int)
# Emitted when a new object has been added or deleted from/to the collection
object_status_changed = QtCore.pyqtSignal(object, str, str)
message = QtCore.pyqtSignal(str, str, str)
# Emitted when a shell command is finished(one command only)
shell_command_finished = QtCore.pyqtSignal(object)
# Emitted when multiprocess pool has been recreated
pool_recreated = QtCore.pyqtSignal(object)
# Emitted when an unhandled exception happens
# in the worker task.
thread_exception = QtCore.pyqtSignal(object)
# used to signal that there are arguments for the app
args_at_startup = QtCore.pyqtSignal(list)
# a reusable signal to replot a list of objects
# should be disconnected after use, so it can be reused
replot_signal = pyqtSignal(list)
# signal emitted when jumping
jump_signal = pyqtSignal(tuple)
# signal emitted when jumping
locate_signal = pyqtSignal(tuple, str)
proj_selection_changed = pyqtSignal(object, object)
# used by the AppScript object to process a script
run_script = pyqtSignal(str)
# used when loading a project and parsing the project file
restore_project = pyqtSignal(object, str, bool, bool, bool, bool)
# used when loading a project and restoring objects
restore_project_objects_sig = pyqtSignal(object, str, bool, bool)
# post-Edit actions
post_edit_sig = pyqtSignal()
# noinspection PyUnresolvedReferences
def __init__(self, qapp, user_defaults=True):
"""
Starts the application.
:return: the application
:rtype: QtCore.QObject
"""
super().__init__()
# #############################################################################################################
# ######################################### LOGGING ###########################################################
# #############################################################################################################
self.log = logging.getLogger('base')
self.log.setLevel(logging.DEBUG)
# log.setLevel(logging.WARNING)
formatter = logging.Formatter('[%(levelname)s][%(threadName)s] %(message)s')
handler = logging.StreamHandler()
handler.setFormatter(formatter)
self.log.addHandler(handler)
self.log.info("Starting the application...")
self.qapp = qapp
# App Editors will be instantiated further below
self.exc_editor = None
self.grb_editor = None
self.geo_editor = None
# when True, the app has to return from any thread
self.abort_flag = False
# ###########################################################################################################
# ############################################ Data #########################################################
# ###########################################################################################################
self.recent = []
self.recent_projects = []
self.clipboard = QtWidgets.QApplication.clipboard()
self.project_filename = None
self.toggle_units_ignore = False
self.main_thread = QtWidgets.QApplication.instance().thread()
# ###########################################################################################################
# ###########################################################################################################
# ######################################## Variables for global usage #######################################
# ###########################################################################################################
# ###########################################################################################################
# hold the App units
self.units = 'MM'
# coordinates for relative position display
self.rel_point1 = (0, 0)
self.rel_point2 = (0, 0)
# variable to store coordinates
self.pos_jump = (0, 0)
# variable to store mouse coordinates
self._mouse_click_pos = [0, 0]
self._mouse_pos = [0, 0]
# variable to store the delta positions on canvas
self.dx = 0
self.dy = 0
# decide if we have a double click or single click
self.doubleclick = False
# store here the is_dragging value
self.event_is_dragging = False
# variable to store if a command is active (then the var is not None) and which one it is
self.command_active = None
# variable to store the status of moving selection action
# None value means that it's not a selection action
# True value = a selection from left to right
# False value = a selection from right to left
self.selection_type = None
# List to store the objects that are currently loaded in FlatCAM
# This list is updated on each object creation or object delete
self.all_objects_list = []
self.objects_under_the_click_list = []
# List to store the objects that are selected
self.sel_objects_list = []
# holds the key modifier if pressed (CTRL, SHIFT or ALT)
self.key_modifiers = None
# Variable to store the status of the code editor
self.toggle_codeeditor = False
# Variable to be used for situations when we don't want the LMB click on canvas to auto open the Project Tab
self.click_noproject = False
# store here the mouse cursor
self.cursor = None
# while True no canvas context menu will be shown
self.inhibit_context_menu = False
# Variable to store the GCODE that was edited
self.gcode_edited = ""
# Variable to store old state of the Tools Toolbar; used in the Editor2Object and in Object2Editor methods
self.old_state_of_tools_toolbar = False
self.text_editor_tab = None
# here store the color of a Tab text before it is changed, so it can be restored in the future
self.old_tab_text_color = None
# reference for the self.ui.code_editor
self.reference_code_editor = None
self.script_code = ''
# if Tools DB are changed/edited in the Edit -> Tools Database tab the value will be set to True
self.tools_db_changed_flag = False
# last used filters
self.last_op_gerber_filter = None
self.last_op_excellon_filter = None
self.last_op_gcode_filter = None
# global variable used by NCC Tool to signal that some polygons could not be cleared, if True
# flag for polygons not cleared
self.poly_not_cleared = False
# VisPy visuals
self.isHovering = False
self.notHovering = True
# Window geometry
self.x_pos = None
self.y_pos = None
self.width = None
self.height = None
# this holds a widget that is installed in the Plot Area when View Source option is used
self.source_editor_tab = None
self.pagesize = {}
# used in the delayed shutdown self.start_delayed_quit() method
self.save_timer = None
# to use for tools like Distance tool who depends on the event sources who are changed inside the appEditors
# depending on from where those tools are called different actions can be done
self.call_source = 'app'
# this is a flag to signal to other tools that the ui tooltab is locked and not accessible
self.plugin_tab_locked = False
# ############################################################################################################
# ################# Setup the listening thread for another instance launching with args ######################
# ############################################################################################################
if sys.platform == 'win32':
# make sure the thread is stored by using a self. otherwise it's garbage collected
self.listen_th = QtCore.QThread()
self.listen_th.start(priority=QtCore.QThread.Priority.LowestPriority)
self.new_launch = ArgsThread()
self.new_launch.open_signal[list].connect(self.on_startup_args)
self.new_launch.moveToThread(self.listen_th)
self.new_launch.start.emit() # noqa
# ############################################################################################################
# ########################################## OS-specific #####################################################
# ############################################################################################################
portable = False
# Folder for user settings.
if sys.platform == 'win32':
# if platform.architecture()[0] == '32bit':
# self.log.debug("Win32!")
# else:
# self.log.debug("Win64!")
# #######################################################################################################
# ####### CONFIG FILE WITH PARAMETERS REGARDING PORTABILITY #############################################
# #######################################################################################################
config_file = os.path.dirname(os.path.dirname(os.path.realpath(__file__))) + '\\config\\configuration.txt'
try:
with open(config_file, 'r'):
pass
except FileNotFoundError:
config_file = os.path.dirname(os.path.realpath(__file__)) + '\\config\\configuration.txt'
try:
with open(config_file, 'r') as f:
try:
for line in f:
param = str(line).replace('\n', '').rpartition('=')
if param[0] == 'portable':
try:
portable = eval(param[2])
except NameError:
portable = False
if param[0] == 'headless':
if param[2].lower() == 'true':
self.cmd_line_headless = 1
except Exception as e:
self.log.error('App.__init__() -->%s' % str(e))
return
except FileNotFoundError as e:
self.log.error(str(e))
pass
if portable is False:
# self.data_path = shell.SHGetFolderPath(0, shellcon.CSIDL_APPDATA, None, 0) + '\\FlatCAM'
self.data_path = os.path.join(os.getenv('appdata'), 'FlatCAM')
else:
self.data_path = os.path.dirname(os.path.dirname(os.path.realpath(__file__))) + '\\config'
self.os = 'windows'
else: # Linux/Unix/MacOS
self.data_path = os.path.expanduser('~') + '/.FlatCAM'
self.os = 'unix'
# ############################################################################################################
# ################################# Setup folders and files ##################################################
# ############################################################################################################
if not os.path.exists(self.data_path):
os.makedirs(self.data_path)
self.log.debug('Created data folder: ' + self.data_path)
self.preprocessorpaths = self.preprocessors_path()
if not os.path.exists(self.preprocessorpaths):
os.makedirs(self.preprocessorpaths)
self.log.debug('Created preprocessors folder: ' + self.preprocessorpaths)
# create tools_db.FlatDB file if there is none
db_path = self.tools_database_path()
try:
f = open(db_path)
f.close()
except IOError:
self.log.debug('Creating empty tools_db.FlatDB')
f = open(db_path, 'w')
json.dump({}, f)
f.close()
# create current_defaults.FlatConfig file if there is none
def_path = self.defaults_path()
try:
f = open(def_path)
f.close()
except IOError:
self.log.debug('Creating empty current_defaults.FlatConfig')
f = open(def_path, 'w')
json.dump({}, f)
f.close()
# the factory defaults are written only once at the first launch of the application after installation
AppDefaults.save_factory_defaults(self.factory_defaults_path(), self.version)
# create a recent files json file if there is none
rec_f_path = self.recent_files_path()
try:
f = open(rec_f_path)
f.close()
except IOError:
self.log.debug('Creating empty recent.json')
f = open(rec_f_path, 'w')
json.dump([], f)
f.close()
# create a recent projects json file if there is none
rec_proj_path = self.recent_projects_path()
try:
fp = open(rec_proj_path)
fp.close()
except IOError:
self.log.debug('Creating empty recent_projects.json')
fp = open(rec_proj_path, 'w')
json.dump([], fp)
fp.close()
# Application directory. CHDIR to it. Otherwise, trying to load GUI icons will fail as their path is relative.
# This will fail under cx_freeze ...
self.app_home = os.path.dirname(os.path.realpath(__file__))
# self.log.debug("Application path is " + self.app_home)
# self.log.debug("Started in " + os.getcwd())
# cx_freeze workaround
if os.path.isfile(self.app_home):
self.app_home = os.path.dirname(self.app_home)
os.chdir(self.app_home)
# ############################################################################################################
# ################################# DEFAULTS - PREFERENCES STORAGE ###########################################
# ############################################################################################################
self.defaults = AppDefaults(beta=self.beta, version=self.version)
# current_defaults_path = os.path.join(self.data_path, "current_defaults.FlatConfig")
current_defaults_path = self.defaults_path()
if user_defaults:
self.defaults.load(filename=current_defaults_path, inform=self.inform)
# ###########################################################################################################
# ######################################## UPDATE THE OPTIONS ###############################################
# ###########################################################################################################
self.options = AppOptions(version=self.version)
# -----------------------------------------------------------------------------------------------------------
# Update the self.options from the self.defaults
# The self.options holds the application defaults while the self.options holds the object defaults
# -----------------------------------------------------------------------------------------------------------
# Copy app defaults to project options
for def_key, def_val in self.defaults.items():
self.options[def_key] = deepcopy(def_val)
# self.preferencesUiManager.show_preferences_gui()
# Set global_theme based on appearance
if self.options["global_appearance"] == 'auto':
if darkdetect.isDark():
theme = 'dark'
else:
theme = 'light'
else:
if self.options["global_appearance"] == 'default':
theme = 'default'
elif self.options["global_appearance"] == 'dark':
theme = 'dark'
else:
theme = 'light'
self.options["global_theme"] = theme
self.app_units = self.options["units"]
self.default_units = self.defaults["units"]
self.decimals = int(self.options['units_precision'])
if self.options["global_theme"] == 'default':
self.resource_location = 'assets/resources'
elif self.options["global_theme"] == 'light':
self.resource_location = 'assets/resources'
qlightsheet.STYLE_SHEET = light_style_sheet.L_STYLE_SHEET
self.qapp.setStyleSheet(libs.qdarktheme.load_stylesheet('light'))
else:
self.resource_location = 'assets/resources/dark_resources'
qdarksheet.STYLE_SHEET = dark_style_sheet.D_STYLE_SHEET
self.qapp.setStyleSheet(libs.qdarktheme.load_stylesheet())
# ############################################################################################################
# ################################### Set LOG verbosity ######################################################
# ############################################################################################################
if self.options["global_log_verbose"] == 2:
self.log.handlers.pop()
self.log = AppLogging(app=self, log_level=2)
if self.options["global_log_verbose"] == 0:
self.log.handlers.pop()
self.log = AppLogging(app=self, log_level=0)
# ###########################################################################################################
# #################################### SETUP OBJECT CLASSES #################################################
# ###########################################################################################################
self.setup_obj_classes()
# ###########################################################################################################
# ###################################### CREATE MULTIPROCESSING POOL #######################################
# ###########################################################################################################
self.pool = Pool(processes=self.options["global_process_number"])
# ###########################################################################################################
# ###################################### Clear GUI Settings - once at first start ###########################
# ###########################################################################################################
if self.options["first_run"] is True:
# on first run clear the previous QSettings, therefore clearing the GUI settings
qsettings = QSettings("Open Source", "FlatCAM_EVO")
for key in qsettings.allKeys():
qsettings.remove(key)
# This will write the setting to the platform specific storage.
del qsettings
# ###########################################################################################################
# ###################################### Setting the Splash Screen ##########################################
# ###########################################################################################################
splash_settings = QSettings("Open Source", "FlatCAM_EVO")
if splash_settings.contains("splash_screen"):
show_splash = splash_settings.value("splash_screen")
else:
splash_settings.setValue('splash_screen', 1)
# This will write the setting to the platform specific storage.
del splash_settings
show_splash = 1
if show_splash and self.cmd_line_headless != 1:
splash_pix = QtGui.QPixmap(self.resource_location + '/splash.png')
# self.splash = QtWidgets.QSplashScreen(splash_pix, Qt.WindowType.WindowStaysOnTopHint)
self.splash = QtWidgets.QSplashScreen(splash_pix)
# self.splash.setMask(splash_pix.mask())
# move splashscreen to the current monitor
# desktop = QtWidgets.QApplication.desktop()
# screen = desktop.screenNumber(QtGui.QCursor.pos())
# screen = QtWidgets.QWidget.screen(self.splash)
screen = QtWidgets.QApplication.screenAt(QtGui.QCursor.pos())
if screen:
current_screen_center = screen.availableGeometry().center()
self.splash.move(current_screen_center - self.splash.rect().center())
self.splash.show()
self.splash.showMessage(_("The application is initializing ..."),
alignment=Qt.AlignmentFlag.AlignBottom | Qt.AlignmentFlag.AlignLeft,
color=QtGui.QColor("lightgray"))
else:
self.splash = None
show_splash = 0
# ###########################################################################################################
# ########################################## LOAD LANGUAGES ################################################
# ###########################################################################################################
self.languages = fcTranslate.load_languages()
aval_languages = []
for name in sorted(self.languages.values()):
aval_languages.append(name)
self.options["global_languages"] = aval_languages
# ###########################################################################################################
# ####################################### APPLY APP LANGUAGE ################################################
# ###########################################################################################################
ret_val = fcTranslate.apply_language('strings')
if ret_val == "no language":
self.inform.emit('[ERROR] %s' % _("Could not find the Language files. The App strings are missing."))
self.log.debug("Could not find the Language files. The App strings are missing.")
else:
# make the current language the current selection on the language combobox
self.options["global_language_current"] = ret_val
self.log.debug("App.__init__() --> Applied %s language." % str(ret_val).capitalize())
# ###########################################################################################################
# #################################### LOAD PREPROCESSORS ###################################################
# ###########################################################################################################
# ----------------------------------------- WARNING --------------------------------------------------------
# Preprocessors need to be loaded before the Preferences Manager builds the Preferences
# That's because the number of preprocessors can vary and here the combobox is populated
# -----------------------------------------------------------------------------------------------------------
# a dictionary that have as keys the name of the preprocessor files and the value is the class from
# the preprocessor file
self.preprocessors = load_preprocessors(self)
# make sure that always the 'default' preprocessor is the first item in the dictionary
if 'default' in self.preprocessors.keys():
# add the 'default' name first in the dict after removing from the preprocessor's dictionary
default_pp = self.preprocessors.pop('default')
new_ppp_dict = {
'default': default_pp
}
# then add the rest of the keys
for name, val_class in self.preprocessors.items():
new_ppp_dict[name] = val_class
# and now put back the ordered dict with 'default' key first
self.preprocessors = deepcopy(new_ppp_dict)
# populate the Plugins Preprocessors
self.options["tools_drill_preprocessor_list"] = []
self.options["tools_mill_preprocessor_list"] = []
self.options["tools_solderpaste_preprocessor_list"] = []
for name in list(self.preprocessors.keys()):
lowered_name = name.lower()
# 'Paste' preprocessors are to be used only in the Solder Paste Dispensing Plugin
if 'paste' in lowered_name:
self.options["tools_solderpaste_preprocessor_list"].append(name)
continue
self.options["tools_mill_preprocessor_list"].append(name)
# HPGL preprocessor is only for Geometry objects therefore it should not be in the Excellon Preferences
if 'hpgl' not in lowered_name:
self.options["tools_drill_preprocessor_list"].append(name)
# ###########################################################################################################
# ######################################### Initialize GUI ##################################################
# ###########################################################################################################
# FlatCAM colors used in plotting
self.FC_light_green = '#BBF268BF'
self.FC_dark_green = '#006E20BF'
self.FC_light_blue = '#a5a5ffbf'
self.FC_dark_blue = '#0000ffbf'
theme_settings = QtCore.QSettings("Open Source", "FlatCAM_EVO")
theme_settings.setValue("appearance", self.options["global_appearance"])
theme_settings.setValue("theme", self.options["global_theme"])
theme_settings.setValue("dark_canvas", self.options["global_dark_canvas"])
if self.options["global_cursor_color_enabled"]:
self.cursor_color_3D = self.options["global_cursor_color"]
else:
if (theme == 'light' or theme == 'default') and not self.options["global_dark_canvas"]:
self.cursor_color_3D = 'black'
else:
self.cursor_color_3D = 'gray'
# update the 'options' dict with the setting in QSetting
self.options['global_theme'] = theme
# ########################
self.ui = MainGUI(self)
# ########################
# decide if to show or hide the Notebook side of the screen at startup
if self.options["global_project_at_startup"] is True:
self.ui.splitter.setSizes([1, 1])
else:
self.ui.splitter.setSizes([0, 1])
# ###########################################################################################################
# ########################################### Initialize Tcl Shell ##########################################
# ########################### always initialize it after the UI is initialized #########################
# ###########################################################################################################
self.shell = FCShell(app=self, version=self.version)
self.log.debug("Stardate: %s" % self.date)
self.log.debug("TCL Shell has been initialized.")
# ###########################################################################################################
# ####################################### Auto-complete KEYWORDS ############################################
# ######################## Setup after the Defaults class was instantiated ##################################
# ###########################################################################################################
self.regFK = RegisterFK(
ui=self.ui,
inform_sig=self.inform,
options_dict=self.options,
shell=self.shell,
log=self.log,
keywords=KeyWords(),
extensions=Extensions()
)
# ###########################################################################################################
# ########################################### AUTOSAVE SETUP ################################################
# ###########################################################################################################
self.block_autosave = False
self.autosave_timer = QtCore.QTimer(self)
self.save_project_auto_update()
self.autosave_timer.timeout.connect(self.save_project_auto)
# ###########################################################################################################
# ##################################### UPDATE PREFERENCES GUI FORMS ########################################
# ###########################################################################################################
self.preferencesUiManager = PreferencesUIManager(
data_path=self.data_path,
ui=self.ui,
inform=self.inform,
options=self.options,
defaults=self.defaults
)
self.preferencesUiManager.defaults_write_form()
# When the self.options dictionary changes will update the Preferences GUI forms
self.options.set_change_callback(self.on_defaults_dict_change)
# set the value used in the Windows Title
self.engine = self.options["global_graphic_engine"]
# ###########################################################################################################
# ###################################### CREATE UNIQUE SERIAL NUMBER ########################################
# ###########################################################################################################
chars = 'abcdefghijklmnopqrstuvwxyz0123456789'
if self.options['global_serial'] == 0 or len(str(self.options['global_serial'])) < 10:
self.options['global_serial'] = ''.join([random.choice(chars) for __ in range(20)])
self.preferencesUiManager.save_defaults(silent=True, first_time=True)
self.defaults.propagate_defaults()
# ###########################################################################################################
# #################################### SETUP OBJECT COLLECTION ##############################################
# ###########################################################################################################
self.collection = ObjectCollection(app=self)
self.ui.project_tab_layout.addWidget(self.collection.view)
self.app_obj = AppObject(app=self)
# ### Adjust tabs width ## ##
# self.collection.view.setMinimumWidth(self.ui.options_scroll_area.widget().sizeHint().width() +
# self.ui.options_scroll_area.verticalScrollBar().sizeHint().width())
self.collection.view.setMinimumWidth(290)
self.log.debug("Finished creating Object Collection.")
# ###########################################################################################################
# ######################################## SETUP 3D Area ####################################################
# ###########################################################################################################
self.area_3d_tab = QtWidgets.QWidget()
# ###########################################################################################################
# ######################################## SETUP Plot Area ##################################################
# ###########################################################################################################
self.use_3d_engine = True
# determine if the Legacy Graphic Engine is to be used or the OpenGL one
if self.options["global_graphic_engine"] == '2D':
self.use_3d_engine = False
# PlotCanvas Event signals disconnect id holders
self.mp = None
self.mm = None
self.mr = None
self.mdc = None
self.mp_zc = None
self.kp = None
# Matplotlib axis
self.axes = None
self.app_cursor = None
self.hover_shapes = None
if show_splash:
self.splash.showMessage(_("The application is initializing ...\n"
"Canvas initialization started."),
alignment=Qt.AlignmentFlag.AlignBottom | Qt.AlignmentFlag.AlignLeft,
color=QtGui.QColor("lightgray"))
start_plot_time = time.time() # debug
# set up the PlotCanvas
self.plotcanvas = self.on_plotcanvas_setup()
if self.plotcanvas == 'fail':
self.splash.finish(self.ui)
self.log.debug("Failed to start the Canvas.")
self.clear_pool()
self.log.error("Failed to start the Canvas")
raise SystemError("Failed to start the Canvas")
# add he PlotCanvas setup to the UI
self.on_plotcanvas_add(self.plotcanvas, self.ui.right_layout)
# #############################################################################################################
# ################ SHAPES STORAGE #########################################################################
# #############################################################################################################
# Storage for shapes, storage that can be used by FlatCAm tools for utility geometry
if self.use_3d_engine:
# VisPy visuals
try:
self.tool_shapes = ShapeCollection(parent=self.plotcanvas.view.scene, layers=1, pool=self.pool)
except AttributeError:
self.tool_shapes = None
# Storage for Hover Shapes
self.hover_shapes = ShapeCollection(parent=self.plotcanvas.view.scene, layers=1, pool=self.pool)
# Storage for Selection shapes
self.sel_shapes = ShapeCollection(parent=self.plotcanvas.view.scene, layers=1, pool=self.pool)
else:
from appGUI.PlotCanvasLegacy import ShapeCollectionLegacy
self.tool_shapes = ShapeCollectionLegacy(obj=self, app=self, name="tool")
# Storage for Hover Shapes will use the default Matplotlib axes
self.hover_shapes = ShapeCollectionLegacy(obj=self, app=self, name='hover')
# Storage for Selection shapes
self.sel_shapes = ShapeCollectionLegacy(obj=self, app=self, name="selection")
# #############################################################################################################
end_plot_time = time.time()
self.used_time = end_plot_time - start_plot_time
self.log.debug("Finished Canvas initialization in %s seconds." % str(self.used_time))
if show_splash:
self.splash.showMessage('%s: %ssec' % (_("The application is initializing ...\n"
"Canvas initialization started.\n"
"Canvas initialization finished in"), '%.2f' % self.used_time),
alignment=Qt.AlignmentFlag.AlignBottom | Qt.AlignmentFlag.AlignLeft,
color=QtGui.QColor("lightgray"))
self.ui.splitter.setStretchFactor(1, 2)
# ###########################################################################################################
# ############################################### Worker SETUP ##############################################
# ###########################################################################################################
w_number = int(self.options["global_worker_number"]) if self.options["global_worker_number"] else 2
self.workers = WorkerStack(workers_number=w_number)
self.worker_task.connect(self.workers.add_task)
self.log.debug("Finished creating Workers crew.")
# ###########################################################################################################
# ############################################# Activity Monitor ############################################
# ###########################################################################################################
self.proc_container = FCVisibleProcessContainer(self.ui.activity_view)
# ###########################################################################################################
# ########################################## Other setups ###################################################
# ###########################################################################################################
# Sets up FlatCAMObj, FCProcess and FCProcessContainer.
self.setup_default_properties_tab()
# ###########################################################################################################
# ########################################## Tools and Plugins ##############################################