MachineErrorChecker.py 8.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200
  1. # Copyright (c) 2018 Ultimaker B.V.
  2. # Cura is released under the terms of the LGPLv3 or higher.
  3. import time
  4. from collections import deque
  5. from PyQt5.QtCore import QObject, QTimer, pyqtSignal, pyqtProperty
  6. from typing import Optional, Any, Set
  7. from UM.Logger import Logger
  8. from UM.Settings.SettingDefinition import SettingDefinition
  9. from UM.Settings.Validator import ValidatorState
  10. import cura.CuraApplication
  11. class MachineErrorChecker(QObject):
  12. """This class performs setting error checks for the currently active machine.
  13. The whole error checking process is pretty heavy which can take ~0.5 secs, so it can cause GUI to lag. The idea
  14. here is to split the whole error check into small tasks, each of which only checks a single setting key in a
  15. stack. According to my profiling results, the maximal runtime for such a sub-task is <0.03 secs, which should be
  16. good enough. Moreover, if any changes happened to the machine, we can cancel the check in progress without wait
  17. for it to finish the complete work.
  18. """
  19. def __init__(self, parent: Optional[QObject] = None) -> None:
  20. super().__init__(parent)
  21. self._global_stack = None
  22. self._has_errors = True # Result of the error check, indicating whether there are errors in the stack
  23. self._error_keys = set() # type: Set[str] # A set of settings keys that have errors
  24. self._error_keys_in_progress = set() # type: Set[str] # The variable that stores the results of the currently in progress check
  25. self._stacks_and_keys_to_check = None # type: Optional[deque] # a FIFO queue of tuples (stack, key) to check for errors
  26. self._need_to_check = False # Whether we need to schedule a new check or not. This flag is set when a new
  27. # error check needs to take place while there is already one running at the moment.
  28. self._check_in_progress = False # Whether there is an error check running in progress at the moment.
  29. self._application = cura.CuraApplication.CuraApplication.getInstance()
  30. self._machine_manager = self._application.getMachineManager()
  31. self._start_time = 0. # measure checking time
  32. # This timer delays the starting of error check so we can react less frequently if the user is frequently
  33. # changing settings.
  34. self._error_check_timer = QTimer(self)
  35. self._error_check_timer.setInterval(100)
  36. self._error_check_timer.setSingleShot(True)
  37. def initialize(self) -> None:
  38. self._error_check_timer.timeout.connect(self._rescheduleCheck)
  39. # Reconnect all signals when the active machine gets changed.
  40. self._machine_manager.globalContainerChanged.connect(self._onMachineChanged)
  41. # Whenever the machine settings get changed, we schedule an error check.
  42. self._machine_manager.globalContainerChanged.connect(self.startErrorCheck)
  43. self._onMachineChanged()
  44. def _onMachineChanged(self) -> None:
  45. if self._global_stack:
  46. self._global_stack.propertyChanged.disconnect(self.startErrorCheckPropertyChanged)
  47. self._global_stack.containersChanged.disconnect(self.startErrorCheck)
  48. for extruder in self._global_stack.extruderList:
  49. extruder.propertyChanged.disconnect(self.startErrorCheckPropertyChanged)
  50. extruder.containersChanged.disconnect(self.startErrorCheck)
  51. self._global_stack = self._machine_manager.activeMachine
  52. if self._global_stack:
  53. self._global_stack.propertyChanged.connect(self.startErrorCheckPropertyChanged)
  54. self._global_stack.containersChanged.connect(self.startErrorCheck)
  55. for extruder in self._global_stack.extruderList:
  56. extruder.propertyChanged.connect(self.startErrorCheckPropertyChanged)
  57. extruder.containersChanged.connect(self.startErrorCheck)
  58. hasErrorUpdated = pyqtSignal()
  59. needToWaitForResultChanged = pyqtSignal()
  60. errorCheckFinished = pyqtSignal()
  61. @pyqtProperty(bool, notify = hasErrorUpdated)
  62. def hasError(self) -> bool:
  63. return self._has_errors
  64. @pyqtProperty(bool, notify = needToWaitForResultChanged)
  65. def needToWaitForResult(self) -> bool:
  66. return self._need_to_check or self._check_in_progress
  67. def startErrorCheckPropertyChanged(self, key: str, property_name: str) -> None:
  68. """Start the error check for property changed
  69. this is seperate from the startErrorCheck because it ignores a number property types
  70. :param key:
  71. :param property_name:
  72. """
  73. if property_name != "value":
  74. return
  75. self.startErrorCheck()
  76. def startErrorCheck(self, *args: Any) -> None:
  77. """Starts the error check timer to schedule a new error check.
  78. :param args:
  79. """
  80. if not self._check_in_progress:
  81. self._need_to_check = True
  82. self.needToWaitForResultChanged.emit()
  83. self._error_check_timer.start()
  84. def _rescheduleCheck(self) -> None:
  85. """This function is called by the timer to reschedule a new error check.
  86. If there is no check in progress, it will start a new one. If there is any, it sets the "_need_to_check" flag
  87. to notify the current check to stop and start a new one.
  88. """
  89. if self._check_in_progress and not self._need_to_check:
  90. self._need_to_check = True
  91. self.needToWaitForResultChanged.emit()
  92. return
  93. self._error_keys_in_progress = set()
  94. self._need_to_check = False
  95. self.needToWaitForResultChanged.emit()
  96. global_stack = self._machine_manager.activeMachine
  97. if global_stack is None:
  98. Logger.log("i", "No active machine, nothing to check.")
  99. return
  100. # Populate the (stack, key) tuples to check
  101. self._stacks_and_keys_to_check = deque()
  102. for stack in global_stack.extruderList:
  103. for key in stack.getAllKeys():
  104. self._stacks_and_keys_to_check.append((stack, key))
  105. self._application.callLater(self._checkStack)
  106. self._start_time = time.time()
  107. Logger.log("d", "New error check scheduled.")
  108. def _checkStack(self) -> None:
  109. if self._need_to_check:
  110. Logger.log("d", "Need to check for errors again. Discard the current progress and reschedule a check.")
  111. self._check_in_progress = False
  112. self._application.callLater(self.startErrorCheck)
  113. return
  114. self._check_in_progress = True
  115. # If there is nothing to check any more, it means there is no error.
  116. if not self._stacks_and_keys_to_check:
  117. # Finish
  118. self._setResult(False)
  119. return
  120. # Get the next stack and key to check
  121. stack, key = self._stacks_and_keys_to_check.popleft()
  122. enabled = stack.getProperty(key, "enabled")
  123. if not enabled:
  124. self._application.callLater(self._checkStack)
  125. return
  126. validation_state = stack.getProperty(key, "validationState")
  127. if validation_state is None:
  128. # Setting is not validated. This can happen if there is only a setting definition.
  129. # We do need to validate it, because a setting definitions value can be set by a function, which could
  130. # be an invalid setting.
  131. definition = stack.getSettingDefinition(key)
  132. validator_type = SettingDefinition.getValidatorForType(definition.type)
  133. if validator_type:
  134. validator = validator_type(key)
  135. validation_state = validator(stack)
  136. if validation_state in (ValidatorState.Exception, ValidatorState.MaximumError, ValidatorState.MinimumError, ValidatorState.Invalid):
  137. # Finish
  138. self._setResult(True)
  139. return
  140. # Schedule the check for the next key
  141. self._application.callLater(self._checkStack)
  142. def _setResult(self, result: bool) -> None:
  143. if result != self._has_errors:
  144. self._has_errors = result
  145. self.hasErrorUpdated.emit()
  146. self._machine_manager.stacksValidationChanged.emit()
  147. self._need_to_check = False
  148. self._check_in_progress = False
  149. self.needToWaitForResultChanged.emit()
  150. self.errorCheckFinished.emit()
  151. Logger.log("i", "Error check finished, result = %s, time = %0.1fs", result, time.time() - self._start_time)