GlobalStack.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286
  1. # Copyright (c) 2018 Ultimaker B.V.
  2. # Cura is released under the terms of the LGPLv3 or higher.
  3. from collections import defaultdict
  4. import threading
  5. from typing import Any, Dict, Optional, Set, TYPE_CHECKING, List
  6. from PyQt5.QtCore import pyqtProperty, pyqtSlot, pyqtSignal
  7. from UM.Decorators import override
  8. from UM.MimeTypeDatabase import MimeType, MimeTypeDatabase
  9. from UM.Settings.ContainerStack import ContainerStack
  10. from UM.Settings.SettingInstance import InstanceState
  11. from UM.Settings.ContainerRegistry import ContainerRegistry
  12. from UM.Settings.Interfaces import PropertyEvaluationContext
  13. from UM.Logger import Logger
  14. from UM.Resources import Resources
  15. from UM.Platform import Platform
  16. from UM.Util import parseBool
  17. import cura.CuraApplication
  18. from . import Exceptions
  19. from .CuraContainerStack import CuraContainerStack
  20. if TYPE_CHECKING:
  21. from cura.Settings.ExtruderStack import ExtruderStack
  22. ## Represents the Global or Machine stack and its related containers.
  23. #
  24. class GlobalStack(CuraContainerStack):
  25. def __init__(self, container_id: str) -> None:
  26. super().__init__(container_id)
  27. self.setMetaDataEntry("type", "machine") # For backward compatibility
  28. self._extruders = {} # type: Dict[str, "ExtruderStack"]
  29. # This property is used to track which settings we are calculating the "resolve" for
  30. # and if so, to bypass the resolve to prevent an infinite recursion that would occur
  31. # if the resolve function tried to access the same property it is a resolve for.
  32. # Per thread we have our own resolving_settings, or strange things sometimes occur.
  33. self._resolving_settings = defaultdict(set) #type: Dict[str, Set[str]] # keys are thread names
  34. # Since the metadatachanged is defined in container stack, we can't use it here as a notifier for pyqt
  35. # properties. So we need to tie them together like this.
  36. self.metaDataChanged.connect(self.configuredConnectionTypesChanged)
  37. extrudersChanged = pyqtSignal()
  38. configuredConnectionTypesChanged = pyqtSignal()
  39. ## Get the list of extruders of this stack.
  40. #
  41. # \return The extruders registered with this stack.
  42. @pyqtProperty("QVariantMap", notify = extrudersChanged)
  43. def extruders(self) -> Dict[str, "ExtruderStack"]:
  44. return self._extruders
  45. @pyqtProperty("QVariantList", notify = extrudersChanged)
  46. def extruderList(self) -> List["ExtruderStack"]:
  47. result_tuple_list = sorted(list(self.extruders.items()), key=lambda x: int(x[0]))
  48. result_list = [item[1] for item in result_tuple_list]
  49. machine_extruder_count = self.getProperty("machine_extruder_count", "value")
  50. return result_list[:machine_extruder_count]
  51. @classmethod
  52. def getLoadingPriority(cls) -> int:
  53. return 2
  54. ## The configured connection types can be used to find out if the global
  55. # stack is configured to be connected with a printer, without having to
  56. # know all the details as to how this is exactly done (and without
  57. # actually setting the stack to be active).
  58. #
  59. # This data can then in turn also be used when the global stack is active;
  60. # If we can't get a network connection, but it is configured to have one,
  61. # we can display a different icon to indicate the difference.
  62. @pyqtProperty("QVariantList", notify=configuredConnectionTypesChanged)
  63. def configuredConnectionTypes(self) -> List[int]:
  64. # Requesting it from the metadata actually gets them as strings (as that's what you get from serializing).
  65. # But we do want them returned as a list of ints (so the rest of the code can directly compare)
  66. connection_types = self.getMetaDataEntry("connection_type", "").split(",")
  67. return [int(connection_type) for connection_type in connection_types if connection_type != ""]
  68. ## \sa configuredConnectionTypes
  69. def addConfiguredConnectionType(self, connection_type: int) -> None:
  70. configured_connection_types = self.configuredConnectionTypes
  71. if connection_type not in configured_connection_types:
  72. # Store the values as a string.
  73. configured_connection_types.append(connection_type)
  74. self.setMetaDataEntry("connection_type", ",".join([str(c_type) for c_type in configured_connection_types]))
  75. ## \sa configuredConnectionTypes
  76. def removeConfiguredConnectionType(self, connection_type: int) -> None:
  77. configured_connection_types = self.configuredConnectionTypes
  78. if connection_type in self.configured_connection_types:
  79. # Store the values as a string.
  80. configured_connection_types.remove(connection_type)
  81. self.setMetaDataEntry("connection_type", ",".join([str(c_type) for c_type in configured_connection_types]))
  82. @classmethod
  83. def getConfigurationTypeFromSerialized(cls, serialized: str) -> Optional[str]:
  84. configuration_type = super().getConfigurationTypeFromSerialized(serialized)
  85. if configuration_type == "machine":
  86. return "machine_stack"
  87. return configuration_type
  88. def getBuildplateName(self) -> Optional[str]:
  89. name = None
  90. if self.variant.getId() != "empty_variant":
  91. name = self.variant.getName()
  92. return name
  93. @pyqtProperty(str, constant = True)
  94. def preferred_output_file_formats(self) -> str:
  95. return self.getMetaDataEntry("file_formats")
  96. ## Add an extruder to the list of extruders of this stack.
  97. #
  98. # \param extruder The extruder to add.
  99. #
  100. # \throws Exceptions.TooManyExtrudersError Raised when trying to add an extruder while we
  101. # already have the maximum number of extruders.
  102. def addExtruder(self, extruder: ContainerStack) -> None:
  103. position = extruder.getMetaDataEntry("position")
  104. if position is None:
  105. Logger.log("w", "No position defined for extruder {extruder}, cannot add it to stack {stack}", extruder = extruder.id, stack = self.id)
  106. return
  107. if any(item.getId() == extruder.id for item in self._extruders.values()):
  108. Logger.log("w", "Extruder [%s] has already been added to this stack [%s]", extruder.id, self.getId())
  109. return
  110. self._extruders[position] = extruder
  111. self.extrudersChanged.emit()
  112. Logger.log("i", "Extruder[%s] added to [%s] at position [%s]", extruder.id, self.id, position)
  113. ## Overridden from ContainerStack
  114. #
  115. # This will return the value of the specified property for the specified setting,
  116. # unless the property is "value" and that setting has a "resolve" function set.
  117. # When a resolve is set, it will instead try and execute the resolve first and
  118. # then fall back to the normal "value" property.
  119. #
  120. # \param key The setting key to get the property of.
  121. # \param property_name The property to get the value of.
  122. #
  123. # \return The value of the property for the specified setting, or None if not found.
  124. @override(ContainerStack)
  125. def getProperty(self, key: str, property_name: str, context: Optional[PropertyEvaluationContext] = None) -> Any:
  126. if not self.definition.findDefinitions(key = key):
  127. return None
  128. if context is None:
  129. context = PropertyEvaluationContext()
  130. context.pushContainer(self)
  131. # Handle the "resolve" property.
  132. #TODO: Why the hell does this involve threading?
  133. # Answer: Because if multiple threads start resolving properties that have the same underlying properties that's
  134. # related, without taking a note of which thread a resolve paths belongs to, they can bump into each other and
  135. # generate unexpected behaviours.
  136. if self._shouldResolve(key, property_name, context):
  137. current_thread = threading.current_thread()
  138. self._resolving_settings[current_thread.name].add(key)
  139. resolve = super().getProperty(key, "resolve", context)
  140. self._resolving_settings[current_thread.name].remove(key)
  141. if resolve is not None:
  142. return resolve
  143. # Handle the "limit_to_extruder" property.
  144. limit_to_extruder = super().getProperty(key, "limit_to_extruder", context)
  145. if limit_to_extruder is not None:
  146. if limit_to_extruder == -1:
  147. limit_to_extruder = int(cura.CuraApplication.CuraApplication.getInstance().getMachineManager().defaultExtruderPosition)
  148. limit_to_extruder = str(limit_to_extruder)
  149. if limit_to_extruder is not None and limit_to_extruder != "-1" and limit_to_extruder in self._extruders:
  150. if super().getProperty(key, "settable_per_extruder", context):
  151. result = self._extruders[str(limit_to_extruder)].getProperty(key, property_name, context)
  152. if result is not None:
  153. context.popContainer()
  154. return result
  155. else:
  156. Logger.log("e", "Setting {setting} has limit_to_extruder but is not settable per extruder!", setting = key)
  157. result = super().getProperty(key, property_name, context)
  158. context.popContainer()
  159. return result
  160. ## Overridden from ContainerStack
  161. #
  162. # This will simply raise an exception since the Global stack cannot have a next stack.
  163. @override(ContainerStack)
  164. def setNextStack(self, stack: CuraContainerStack, connect_signals: bool = True) -> None:
  165. raise Exceptions.InvalidOperationError("Global stack cannot have a next stack!")
  166. # protected:
  167. # Determine whether or not we should try to get the "resolve" property instead of the
  168. # requested property.
  169. def _shouldResolve(self, key: str, property_name: str, context: Optional[PropertyEvaluationContext] = None) -> bool:
  170. if property_name is not "value":
  171. # Do not try to resolve anything but the "value" property
  172. return False
  173. current_thread = threading.current_thread()
  174. if key in self._resolving_settings[current_thread.name]:
  175. # To prevent infinite recursion, if getProperty is called with the same key as
  176. # we are already trying to resolve, we should not try to resolve again. Since
  177. # this can happen multiple times when trying to resolve a value, we need to
  178. # track all settings that are being resolved.
  179. return False
  180. setting_state = super().getProperty(key, "state", context = context)
  181. if setting_state is not None and setting_state != InstanceState.Default:
  182. # When the user has explicitly set a value, we should ignore any resolve and
  183. # just return that value.
  184. return False
  185. return True
  186. ## Perform some sanity checks on the global stack
  187. # Sanity check for extruders; they must have positions 0 and up to machine_extruder_count - 1
  188. def isValid(self) -> bool:
  189. container_registry = ContainerRegistry.getInstance()
  190. extruder_trains = container_registry.findContainerStacks(type = "extruder_train", machine = self.getId())
  191. machine_extruder_count = self.getProperty("machine_extruder_count", "value")
  192. extruder_check_position = set()
  193. for extruder_train in extruder_trains:
  194. extruder_position = extruder_train.getMetaDataEntry("position")
  195. extruder_check_position.add(extruder_position)
  196. for check_position in range(machine_extruder_count):
  197. if str(check_position) not in extruder_check_position:
  198. return False
  199. return True
  200. def getHeadAndFansCoordinates(self):
  201. return self.getProperty("machine_head_with_fans_polygon", "value")
  202. def getHasMaterials(self) -> bool:
  203. return parseBool(self.getMetaDataEntry("has_materials", False))
  204. def getHasVariants(self) -> bool:
  205. return parseBool(self.getMetaDataEntry("has_variants", False))
  206. def getHasMachineQuality(self) -> bool:
  207. return parseBool(self.getMetaDataEntry("has_machine_quality", False))
  208. ## Get default firmware file name if one is specified in the firmware
  209. @pyqtSlot(result = str)
  210. def getDefaultFirmwareName(self) -> str:
  211. machine_has_heated_bed = self.getProperty("machine_heated_bed", "value")
  212. baudrate = 250000
  213. if Platform.isLinux():
  214. # Linux prefers a baudrate of 115200 here because older versions of
  215. # pySerial did not support a baudrate of 250000
  216. baudrate = 115200
  217. # If a firmware file is available, it should be specified in the definition for the printer
  218. hex_file = self.getMetaDataEntry("firmware_file", None)
  219. if machine_has_heated_bed:
  220. hex_file = self.getMetaDataEntry("firmware_hbk_file", hex_file)
  221. if not hex_file:
  222. Logger.log("w", "There is no firmware for machine %s.", self.getBottom().id)
  223. return ""
  224. try:
  225. return Resources.getPath(cura.CuraApplication.CuraApplication.ResourceTypes.Firmware, hex_file.format(baudrate=baudrate))
  226. except FileNotFoundError:
  227. Logger.log("w", "Firmware file %s not found.", hex_file)
  228. return ""
  229. ## private:
  230. global_stack_mime = MimeType(
  231. name = "application/x-cura-globalstack",
  232. comment = "Cura Global Stack",
  233. suffixes = ["global.cfg"]
  234. )
  235. MimeTypeDatabase.addMimeType(global_stack_mime)
  236. ContainerRegistry.addContainerTypeByName(GlobalStack, "global_stack", global_stack_mime.name)