QualityManagementModel.py 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409
  1. # Copyright (c) 2019 Ultimaker B.V.
  2. # Cura is released under the terms of the LGPLv3 or higher.
  3. from typing import Any, cast, Dict, Optional, TYPE_CHECKING
  4. from PyQt5.QtCore import pyqtSlot, QObject, Qt, QTimer
  5. from UM.Logger import Logger
  6. from UM.Qt.ListModel import ListModel
  7. from UM.Settings.InstanceContainer import InstanceContainer # To create new profiles.
  8. import cura.CuraApplication # Imported this way to prevent circular imports.
  9. from cura.Settings.ContainerManager import ContainerManager
  10. from cura.Machines.ContainerTree import ContainerTree
  11. from cura.Settings.cura_empty_instance_containers import empty_quality_changes_container
  12. from cura.Settings.IntentManager import IntentManager
  13. from cura.Machines.Models.MachineModelUtils import fetchLayerHeight
  14. from cura.Machines.Models.IntentTranslations import intent_translations
  15. from UM.i18n import i18nCatalog
  16. catalog = i18nCatalog("cura")
  17. if TYPE_CHECKING:
  18. from UM.Settings.Interfaces import ContainerInterface
  19. from cura.Machines.QualityChangesGroup import QualityChangesGroup
  20. from cura.Settings.ExtruderStack import ExtruderStack
  21. from cura.Settings.GlobalStack import GlobalStack
  22. #
  23. # This the QML model for the quality management page.
  24. #
  25. class QualityManagementModel(ListModel):
  26. NameRole = Qt.UserRole + 1
  27. IsReadOnlyRole = Qt.UserRole + 2
  28. QualityGroupRole = Qt.UserRole + 3
  29. QualityTypeRole = Qt.UserRole + 4
  30. QualityChangesGroupRole = Qt.UserRole + 5
  31. IntentCategoryRole = Qt.UserRole + 6
  32. SectionNameRole = Qt.UserRole + 7
  33. def __init__(self, parent: Optional["QObject"] = None) -> None:
  34. super().__init__(parent)
  35. self.addRoleName(self.NameRole, "name")
  36. self.addRoleName(self.IsReadOnlyRole, "is_read_only")
  37. self.addRoleName(self.QualityGroupRole, "quality_group")
  38. self.addRoleName(self.QualityTypeRole, "quality_type")
  39. self.addRoleName(self.QualityChangesGroupRole, "quality_changes_group")
  40. self.addRoleName(self.IntentCategoryRole, "intent_category")
  41. self.addRoleName(self.SectionNameRole, "section_name")
  42. application = cura.CuraApplication.CuraApplication.getInstance()
  43. container_registry = application.getContainerRegistry()
  44. self._machine_manager = application.getMachineManager()
  45. self._machine_manager.activeQualityGroupChanged.connect(self._onChange)
  46. self._machine_manager.activeStackChanged.connect(self._onChange)
  47. self._machine_manager.extruderChanged.connect(self._onChange)
  48. self._machine_manager.globalContainerChanged.connect(self._onChange)
  49. self._extruder_manager = application.getExtruderManager()
  50. self._extruder_manager.extrudersChanged.connect(self._onChange)
  51. container_registry.containerAdded.connect(self._qualityChangesListChanged)
  52. container_registry.containerRemoved.connect(self._qualityChangesListChanged)
  53. container_registry.containerMetaDataChanged.connect(self._qualityChangesListChanged)
  54. self._update_timer = QTimer()
  55. self._update_timer.setInterval(100)
  56. self._update_timer.setSingleShot(True)
  57. self._update_timer.timeout.connect(self._update)
  58. self._onChange()
  59. def _onChange(self) -> None:
  60. self._update_timer.start()
  61. ## Deletes a custom profile. It will be gone forever.
  62. # \param quality_changes_group The quality changes group representing the
  63. # profile to delete.
  64. @pyqtSlot(QObject)
  65. def removeQualityChangesGroup(self, quality_changes_group: "QualityChangesGroup") -> None:
  66. Logger.log("i", "Removing quality changes group {group_name}".format(group_name = quality_changes_group.name))
  67. removed_quality_changes_ids = set()
  68. container_registry = cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry()
  69. for metadata in [quality_changes_group.metadata_for_global] + list(quality_changes_group.metadata_per_extruder.values()):
  70. container_id = metadata["id"]
  71. container_registry.removeContainer(container_id)
  72. removed_quality_changes_ids.add(container_id)
  73. # Reset all machines that have activated this custom profile.
  74. for global_stack in container_registry.findContainerStacks(type = "machine"):
  75. if global_stack.qualityChanges.getId() in removed_quality_changes_ids:
  76. global_stack.qualityChanges = empty_quality_changes_container
  77. for extruder_stack in container_registry.findContainerStacks(type = "extruder_train"):
  78. if extruder_stack.qualityChanges.getId() in removed_quality_changes_ids:
  79. extruder_stack.qualityChanges = empty_quality_changes_container
  80. ## Rename a custom profile.
  81. #
  82. # Because the names must be unique, the new name may not actually become
  83. # the name that was given. The actual name is returned by this function.
  84. # \param quality_changes_group The custom profile that must be renamed.
  85. # \param new_name The desired name for the profile.
  86. # \return The actual new name of the profile, after making the name
  87. # unique.
  88. @pyqtSlot(QObject, str, result = str)
  89. def renameQualityChangesGroup(self, quality_changes_group: "QualityChangesGroup", new_name: str) -> str:
  90. Logger.log("i", "Renaming QualityChangesGroup {old_name} to {new_name}.".format(old_name = quality_changes_group.name, new_name = new_name))
  91. if new_name == quality_changes_group.name:
  92. Logger.log("i", "QualityChangesGroup name {name} unchanged.".format(name = quality_changes_group.name))
  93. return new_name
  94. application = cura.CuraApplication.CuraApplication.getInstance()
  95. container_registry = application.getContainerRegistry()
  96. new_name = container_registry.uniqueName(new_name)
  97. # CURA-6842
  98. # FIXME: setName() will trigger metaDataChanged signal that are connected with type Qt.AutoConnection. In this
  99. # case, setName() will trigger direct connections which in turn causes the quality changes group and the models
  100. # to update. Because multiple containers need to be renamed, and every time a container gets renamed, updates
  101. # gets triggered and this results in partial updates. For example, if we rename the global quality changes
  102. # container first, the rest of the system still thinks that I have selected "my_profile" instead of
  103. # "my_new_profile", but an update already gets triggered, and the quality changes group that's selected will
  104. # have no container for the global stack, because "my_profile" just got renamed to "my_new_profile". This results
  105. # in crashes because the rest of the system assumes that all data in a QualityChangesGroup will be correct.
  106. #
  107. # Renaming the container for the global stack in the end seems to be ok, because the assumption is mostly based
  108. # on the quality changes container for the global stack.
  109. for metadata in quality_changes_group.metadata_per_extruder.values():
  110. extruder_container = cast(InstanceContainer, container_registry.findContainers(id = metadata["id"])[0])
  111. extruder_container.setName(new_name)
  112. global_container = cast(InstanceContainer, container_registry.findContainers(id=quality_changes_group.metadata_for_global["id"])[0])
  113. global_container.setName(new_name)
  114. quality_changes_group.name = new_name
  115. application.getMachineManager().activeQualityChanged.emit()
  116. application.getMachineManager().activeQualityGroupChanged.emit()
  117. return new_name
  118. ## Duplicates a given quality profile OR quality changes profile.
  119. # \param new_name The desired name of the new profile. This will be made
  120. # unique, so it might end up with a different name.
  121. # \param quality_model_item The item of this model to duplicate, as
  122. # dictionary. See the descriptions of the roles of this list model.
  123. @pyqtSlot(str, "QVariantMap")
  124. def duplicateQualityChanges(self, new_name: str, quality_model_item: Dict[str, Any]) -> None:
  125. global_stack = cura.CuraApplication.CuraApplication.getInstance().getGlobalContainerStack()
  126. if not global_stack:
  127. Logger.log("i", "No active global stack, cannot duplicate quality (changes) profile.")
  128. return
  129. container_registry = cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry()
  130. new_name = container_registry.uniqueName(new_name)
  131. intent_category = quality_model_item["intent_category"]
  132. quality_group = quality_model_item["quality_group"]
  133. quality_changes_group = quality_model_item["quality_changes_group"]
  134. if quality_changes_group is None:
  135. # Create global quality changes only.
  136. new_quality_changes = self._createQualityChanges(quality_group.quality_type, intent_category, new_name,
  137. global_stack, extruder_stack = None)
  138. container_registry.addContainer(new_quality_changes)
  139. else:
  140. for metadata in [quality_changes_group.metadata_for_global] + list(quality_changes_group.metadata_per_extruder.values()):
  141. containers = container_registry.findContainers(id = metadata["id"])
  142. if not containers:
  143. continue
  144. container = containers[0]
  145. new_id = container_registry.uniqueName(container.getId())
  146. container_registry.addContainer(container.duplicate(new_id, new_name))
  147. ## Create quality changes containers from the user containers in the active
  148. # stacks.
  149. #
  150. # This will go through the global and extruder stacks and create
  151. # quality_changes containers from the user containers in each stack. These
  152. # then replace the quality_changes containers in the stack and clear the
  153. # user settings.
  154. # \param base_name The new name for the quality changes profile. The final
  155. # name of the profile might be different from this, because it needs to be
  156. # made unique.
  157. @pyqtSlot(str)
  158. def createQualityChanges(self, base_name: str) -> None:
  159. machine_manager = cura.CuraApplication.CuraApplication.getInstance().getMachineManager()
  160. global_stack = machine_manager.activeMachine
  161. if not global_stack:
  162. return
  163. active_quality_name = machine_manager.activeQualityOrQualityChangesName
  164. if active_quality_name == "":
  165. Logger.log("w", "No quality container found in stack %s, cannot create profile", global_stack.getId())
  166. return
  167. machine_manager.blurSettings.emit()
  168. if base_name is None or base_name == "":
  169. base_name = active_quality_name
  170. container_registry = cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry()
  171. unique_name = container_registry.uniqueName(base_name)
  172. # Go through the active stacks and create quality_changes containers from the user containers.
  173. container_manager = ContainerManager.getInstance()
  174. stack_list = [global_stack] + list(global_stack.extruders.values())
  175. for stack in stack_list:
  176. quality_container = stack.quality
  177. quality_changes_container = stack.qualityChanges
  178. if not quality_container or not quality_changes_container:
  179. Logger.log("w", "No quality or quality changes container found in stack %s, ignoring it", stack.getId())
  180. continue
  181. extruder_stack = None
  182. intent_category = None
  183. if stack.getMetaDataEntry("position") is not None:
  184. extruder_stack = stack
  185. intent_category = stack.intent.getMetaDataEntry("intent_category")
  186. new_changes = self._createQualityChanges(quality_container.getMetaDataEntry("quality_type"), intent_category, unique_name, global_stack, extruder_stack)
  187. container_manager._performMerge(new_changes, quality_changes_container, clear_settings = False)
  188. container_manager._performMerge(new_changes, stack.userChanges)
  189. container_registry.addContainer(new_changes)
  190. ## Create a quality changes container with the given set-up.
  191. # \param quality_type The quality type of the new container.
  192. # \param intent_category The intent category of the new container.
  193. # \param new_name The name of the container. This name must be unique.
  194. # \param machine The global stack to create the profile for.
  195. # \param extruder_stack The extruder stack to create the profile for. If
  196. # not provided, only a global container will be created.
  197. def _createQualityChanges(self, quality_type: str, intent_category: Optional[str], new_name: str, machine: "GlobalStack", extruder_stack: Optional["ExtruderStack"]) -> "InstanceContainer":
  198. container_registry = cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry()
  199. base_id = machine.definition.getId() if extruder_stack is None else extruder_stack.getId()
  200. new_id = base_id + "_" + new_name
  201. new_id = new_id.lower().replace(" ", "_")
  202. new_id = container_registry.uniqueName(new_id)
  203. # Create a new quality_changes container for the quality.
  204. quality_changes = InstanceContainer(new_id)
  205. quality_changes.setName(new_name)
  206. quality_changes.setMetaDataEntry("type", "quality_changes")
  207. quality_changes.setMetaDataEntry("quality_type", quality_type)
  208. if intent_category is not None:
  209. quality_changes.setMetaDataEntry("intent_category", intent_category)
  210. # If we are creating a container for an extruder, ensure we add that to the container.
  211. if extruder_stack is not None:
  212. quality_changes.setMetaDataEntry("position", extruder_stack.getMetaDataEntry("position"))
  213. # If the machine specifies qualities should be filtered, ensure we match the current criteria.
  214. machine_definition_id = ContainerTree.getInstance().machines[machine.definition.getId()].quality_definition
  215. quality_changes.setDefinition(machine_definition_id)
  216. quality_changes.setMetaDataEntry("setting_version", cura.CuraApplication.CuraApplication.getInstance().SettingVersion)
  217. return quality_changes
  218. ## Triggered when any container changed.
  219. #
  220. # This filters the updates to the container manager: When it applies to
  221. # the list of quality changes, we need to update our list.
  222. def _qualityChangesListChanged(self, container: "ContainerInterface") -> None:
  223. if container.getMetaDataEntry("type") == "quality_changes":
  224. self._update()
  225. @pyqtSlot("QVariantMap", result = str)
  226. def getQualityItemDisplayName(self, quality_model_item: Dict[str, Any]) -> str:
  227. quality_group = quality_model_item["quality_group"]
  228. is_read_only = quality_model_item["is_read_only"]
  229. intent_category = quality_model_item["intent_category"]
  230. quality_level_name = "Not Supported"
  231. if quality_group is not None:
  232. quality_level_name = quality_group.name
  233. display_name = quality_level_name
  234. if intent_category != "default":
  235. intent_display_name = catalog.i18nc("@label", intent_category.capitalize())
  236. display_name = "{intent_name} - {the_rest}".format(intent_name = intent_display_name,
  237. the_rest = display_name)
  238. # A custom quality
  239. if not is_read_only:
  240. display_name = "{custom_profile_name} - {the_rest}".format(custom_profile_name = quality_model_item["name"],
  241. the_rest = display_name)
  242. return display_name
  243. def _update(self):
  244. Logger.log("d", "Updating {model_class_name}.".format(model_class_name = self.__class__.__name__))
  245. global_stack = self._machine_manager.activeMachine
  246. if not global_stack:
  247. self.setItems([])
  248. return
  249. container_tree = ContainerTree.getInstance()
  250. quality_group_dict = container_tree.getCurrentQualityGroups()
  251. quality_changes_group_list = container_tree.getCurrentQualityChangesGroups()
  252. available_quality_types = set(quality_type for quality_type, quality_group in quality_group_dict.items()
  253. if quality_group.is_available)
  254. if not available_quality_types and not quality_changes_group_list:
  255. # Nothing to show
  256. self.setItems([])
  257. return
  258. item_list = []
  259. # Create quality group items (intent category = "default")
  260. for quality_group in quality_group_dict.values():
  261. if not quality_group.is_available:
  262. continue
  263. layer_height = fetchLayerHeight(quality_group)
  264. item = {"name": quality_group.name,
  265. "is_read_only": True,
  266. "quality_group": quality_group,
  267. "quality_type": quality_group.quality_type,
  268. "quality_changes_group": None,
  269. "intent_category": "default",
  270. "section_name": catalog.i18nc("@label", "Default"),
  271. "layer_height": layer_height, # layer_height is only used for sorting
  272. }
  273. item_list.append(item)
  274. # Sort by layer_height for built-in qualities
  275. item_list = sorted(item_list, key = lambda x: x["layer_height"])
  276. # Create intent items (non-default)
  277. available_intent_list = IntentManager.getInstance().getCurrentAvailableIntents()
  278. available_intent_list = [i for i in available_intent_list if i[0] != "default"]
  279. result = []
  280. for intent_category, quality_type in available_intent_list:
  281. result.append({
  282. "name": quality_group_dict[quality_type].name, # Use the quality name as the display name
  283. "is_read_only": True,
  284. "quality_group": quality_group_dict[quality_type],
  285. "quality_type": quality_type,
  286. "quality_changes_group": None,
  287. "intent_category": intent_category,
  288. "section_name": catalog.i18nc("@label", intent_translations.get(intent_category, {}).get("name", catalog.i18nc("@label", "Unknown"))),
  289. })
  290. # Sort by quality_type for each intent category
  291. result = sorted(result, key = lambda x: (list(intent_translations).index(x["intent_category"]), x["quality_type"]))
  292. item_list += result
  293. # Create quality_changes group items
  294. quality_changes_item_list = []
  295. for quality_changes_group in quality_changes_group_list:
  296. # CURA-6913 Note that custom qualities can be based on "not supported", so the quality group can be None.
  297. quality_group = quality_group_dict.get(quality_changes_group.quality_type)
  298. quality_type = quality_changes_group.quality_type
  299. item = {"name": quality_changes_group.name,
  300. "is_read_only": False,
  301. "quality_group": quality_group,
  302. "quality_type": quality_type,
  303. "quality_changes_group": quality_changes_group,
  304. "intent_category": quality_changes_group.intent_category,
  305. "section_name": catalog.i18nc("@label", "Custom profiles"),
  306. }
  307. quality_changes_item_list.append(item)
  308. # Sort quality_changes items by names and append to the item list
  309. quality_changes_item_list = sorted(quality_changes_item_list, key = lambda x: x["name"].upper())
  310. item_list += quality_changes_item_list
  311. self.setItems(item_list)
  312. # TODO: Duplicated code here from InstanceContainersModel. Refactor and remove this later.
  313. #
  314. ## Gets a list of the possible file filters that the plugins have
  315. # registered they can read or write. The convenience meta-filters
  316. # "All Supported Types" and "All Files" are added when listing
  317. # readers, but not when listing writers.
  318. #
  319. # \param io_type \type{str} name of the needed IO type
  320. # \return A list of strings indicating file name filters for a file
  321. # dialog.
  322. @pyqtSlot(str, result = "QVariantList")
  323. def getFileNameFilters(self, io_type):
  324. from UM.i18n import i18nCatalog
  325. catalog = i18nCatalog("uranium")
  326. #TODO: This function should be in UM.Resources!
  327. filters = []
  328. all_types = []
  329. for plugin_id, meta_data in self._getIOPlugins(io_type):
  330. for io_plugin in meta_data[io_type]:
  331. filters.append(io_plugin["description"] + " (*." + io_plugin["extension"] + ")")
  332. all_types.append("*.{0}".format(io_plugin["extension"]))
  333. if "_reader" in io_type:
  334. # if we're listing readers, add the option to show all supported files as the default option
  335. filters.insert(0, catalog.i18nc("@item:inlistbox", "All Supported Types ({0})", " ".join(all_types)))
  336. filters.append(catalog.i18nc("@item:inlistbox", "All Files (*)")) # Also allow arbitrary files, if the user so prefers.
  337. return filters
  338. ## Gets a list of profile reader or writer plugins
  339. # \return List of tuples of (plugin_id, meta_data).
  340. def _getIOPlugins(self, io_type):
  341. from UM.PluginRegistry import PluginRegistry
  342. pr = PluginRegistry.getInstance()
  343. active_plugin_ids = pr.getActivePlugins()
  344. result = []
  345. for plugin_id in active_plugin_ids:
  346. meta_data = pr.getMetaData(plugin_id)
  347. if io_type in meta_data:
  348. result.append( (plugin_id, meta_data) )
  349. return result