ContainerManager.py 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446
  1. # Copyright (c) 2019 Ultimaker B.V.
  2. # Cura is released under the terms of the LGPLv3 or higher.
  3. import os
  4. import urllib.parse
  5. import uuid
  6. from typing import Dict, Union, Any, TYPE_CHECKING, List
  7. from PyQt5.QtCore import QObject, QUrl
  8. from PyQt5.QtWidgets import QMessageBox
  9. from UM.i18n import i18nCatalog
  10. from UM.FlameProfiler import pyqtSlot
  11. from UM.Logger import Logger
  12. from UM.MimeTypeDatabase import MimeTypeDatabase, MimeTypeNotFoundError
  13. from UM.Platform import Platform
  14. from UM.SaveFile import SaveFile
  15. from UM.Settings.ContainerFormatError import ContainerFormatError
  16. from UM.Settings.ContainerStack import ContainerStack
  17. from UM.Settings.DefinitionContainer import DefinitionContainer
  18. from UM.Settings.InstanceContainer import InstanceContainer
  19. import cura.CuraApplication
  20. if TYPE_CHECKING:
  21. from cura.CuraApplication import CuraApplication
  22. from cura.Machines.ContainerNode import ContainerNode
  23. from cura.Machines.MaterialNode import MaterialNode
  24. from cura.Machines.QualityChangesGroup import QualityChangesGroup
  25. from cura.Machines.MaterialManager import MaterialManager
  26. from cura.Machines.QualityManager import QualityManager
  27. catalog = i18nCatalog("cura")
  28. ## Manager class that contains common actions to deal with containers in Cura.
  29. #
  30. # This is primarily intended as a class to be able to perform certain actions
  31. # from within QML. We want to be able to trigger things like removing a container
  32. # when a certain action happens. This can be done through this class.
  33. class ContainerManager(QObject):
  34. def __init__(self, application: "CuraApplication") -> None:
  35. if ContainerManager.__instance is not None:
  36. raise RuntimeError("Try to create singleton '%s' more than once" % self.__class__.__name__)
  37. ContainerManager.__instance = self
  38. try:
  39. super().__init__(parent = application)
  40. except TypeError:
  41. super().__init__()
  42. self._container_name_filters = {} # type: Dict[str, Dict[str, Any]]
  43. @pyqtSlot(str, str, result=str)
  44. def getContainerMetaDataEntry(self, container_id: str, entry_names: str) -> str:
  45. metadatas = cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry().findContainersMetadata(id = container_id)
  46. if not metadatas:
  47. Logger.log("w", "Could not get metadata of container %s because it was not found.", container_id)
  48. return ""
  49. entries = entry_names.split("/")
  50. result = metadatas[0]
  51. while entries:
  52. entry = entries.pop(0)
  53. result = result.get(entry, {})
  54. if not result:
  55. return ""
  56. return str(result)
  57. ## Set a metadata entry of the specified container.
  58. #
  59. # This will set the specified entry of the container's metadata to the specified
  60. # value. Note that entries containing dictionaries can have their entries changed
  61. # by using "/" as a separator. For example, to change an entry "foo" in a
  62. # dictionary entry "bar", you can specify "bar/foo" as entry name.
  63. #
  64. # \param container_node \type{ContainerNode}
  65. # \param entry_name \type{str} The name of the metadata entry to change.
  66. # \param entry_value The new value of the entry.
  67. #
  68. # TODO: This is ONLY used by MaterialView for material containers. Maybe refactor this.
  69. # Update: In order for QML to use objects and sub objects, those (sub) objects must all be QObject. Is that what we want?
  70. @pyqtSlot("QVariant", str, str)
  71. def setContainerMetaDataEntry(self, container_node: "ContainerNode", entry_name: str, entry_value: str) -> bool:
  72. root_material_id = container_node.getMetaDataEntry("base_file", "")
  73. if cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry().isReadOnly(root_material_id):
  74. Logger.log("w", "Cannot set metadata of read-only container %s.", root_material_id)
  75. return False
  76. material_group = MaterialManager.getInstance().getMaterialGroup(root_material_id)
  77. if material_group is None:
  78. Logger.log("w", "Unable to find material group for: %s.", root_material_id)
  79. return False
  80. entries = entry_name.split("/")
  81. entry_name = entries.pop()
  82. sub_item_changed = False
  83. if entries:
  84. root_name = entries.pop(0)
  85. root = material_group.root_material_node.getMetaDataEntry(root_name)
  86. item = root
  87. for _ in range(len(entries)):
  88. item = item.get(entries.pop(0), {})
  89. if item[entry_name] != entry_value:
  90. sub_item_changed = True
  91. item[entry_name] = entry_value
  92. entry_name = root_name
  93. entry_value = root
  94. container = material_group.root_material_node.getContainer()
  95. if container is not None:
  96. container.setMetaDataEntry(entry_name, entry_value)
  97. if sub_item_changed: #If it was only a sub-item that has changed then the setMetaDataEntry won't correctly notice that something changed, and we must manually signal that the metadata changed.
  98. container.metaDataChanged.emit(container)
  99. return True
  100. @pyqtSlot(str, result = str)
  101. def makeUniqueName(self, original_name: str) -> str:
  102. return cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry().uniqueName(original_name)
  103. ## Get a list of string that can be used as name filters for a Qt File Dialog
  104. #
  105. # This will go through the list of available container types and generate a list of strings
  106. # out of that. The strings are formatted as "description (*.extension)" and can be directly
  107. # passed to a nameFilters property of a Qt File Dialog.
  108. #
  109. # \param type_name Which types of containers to list. These types correspond to the "type"
  110. # key of the plugin metadata.
  111. #
  112. # \return A string list with name filters.
  113. @pyqtSlot(str, result = "QStringList")
  114. def getContainerNameFilters(self, type_name: str) -> List[str]:
  115. if not self._container_name_filters:
  116. self._updateContainerNameFilters()
  117. filters = []
  118. for filter_string, entry in self._container_name_filters.items():
  119. if not type_name or entry["type"] == type_name:
  120. filters.append(filter_string)
  121. filters.append("All Files (*)")
  122. return filters
  123. ## Export a container to a file
  124. #
  125. # \param container_id The ID of the container to export
  126. # \param file_type The type of file to save as. Should be in the form of "description (*.extension, *.ext)"
  127. # \param file_url_or_string The URL where to save the file.
  128. #
  129. # \return A dictionary containing a key "status" with a status code and a key "message" with a message
  130. # explaining the status.
  131. # The status code can be one of "error", "cancelled", "success"
  132. @pyqtSlot(str, str, QUrl, result = "QVariantMap")
  133. def exportContainer(self, container_id: str, file_type: str, file_url_or_string: Union[QUrl, str]) -> Dict[str, str]:
  134. if not container_id or not file_type or not file_url_or_string:
  135. return {"status": "error", "message": "Invalid arguments"}
  136. if isinstance(file_url_or_string, QUrl):
  137. file_url = file_url_or_string.toLocalFile()
  138. else:
  139. file_url = file_url_or_string
  140. if not file_url:
  141. return {"status": "error", "message": "Invalid path"}
  142. if file_type not in self._container_name_filters:
  143. try:
  144. mime_type = MimeTypeDatabase.getMimeTypeForFile(file_url)
  145. except MimeTypeNotFoundError:
  146. return {"status": "error", "message": "Unknown File Type"}
  147. else:
  148. mime_type = self._container_name_filters[file_type]["mime"]
  149. containers = cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry().findContainers(id = container_id)
  150. if not containers:
  151. return {"status": "error", "message": "Container not found"}
  152. container = containers[0]
  153. if Platform.isOSX() and "." in file_url:
  154. file_url = file_url[:file_url.rfind(".")]
  155. for suffix in mime_type.suffixes:
  156. if file_url.endswith(suffix):
  157. break
  158. else:
  159. file_url += "." + mime_type.preferredSuffix
  160. if not Platform.isWindows():
  161. if os.path.exists(file_url):
  162. result = QMessageBox.question(None, catalog.i18nc("@title:window", "File Already Exists"),
  163. catalog.i18nc("@label Don't translate the XML tag <filename>!", "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?").format(file_url))
  164. if result == QMessageBox.No:
  165. return {"status": "cancelled", "message": "User cancelled"}
  166. try:
  167. contents = container.serialize()
  168. except NotImplementedError:
  169. return {"status": "error", "message": "Unable to serialize container"}
  170. if contents is None:
  171. return {"status": "error", "message": "Serialization returned None. Unable to write to file"}
  172. with SaveFile(file_url, "w") as f:
  173. f.write(contents)
  174. return {"status": "success", "message": "Successfully exported container", "path": file_url}
  175. ## Imports a profile from a file
  176. #
  177. # \param file_url A URL that points to the file to import.
  178. #
  179. # \return \type{Dict} dict with a 'status' key containing the string 'success' or 'error', and a 'message' key
  180. # containing a message for the user
  181. @pyqtSlot(QUrl, result = "QVariantMap")
  182. def importMaterialContainer(self, file_url_or_string: Union[QUrl, str]) -> Dict[str, str]:
  183. if not file_url_or_string:
  184. return {"status": "error", "message": "Invalid path"}
  185. if isinstance(file_url_or_string, QUrl):
  186. file_url = file_url_or_string.toLocalFile()
  187. else:
  188. file_url = file_url_or_string
  189. if not file_url or not os.path.exists(file_url):
  190. return {"status": "error", "message": "Invalid path"}
  191. try:
  192. mime_type = MimeTypeDatabase.getMimeTypeForFile(file_url)
  193. except MimeTypeNotFoundError:
  194. return {"status": "error", "message": "Could not determine mime type of file"}
  195. container_registry = cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry()
  196. container_type = container_registry.getContainerForMimeType(mime_type)
  197. if not container_type:
  198. return {"status": "error", "message": "Could not find a container to handle the specified file."}
  199. container_id = urllib.parse.unquote_plus(mime_type.stripExtension(os.path.basename(file_url)))
  200. container_id = container_registry.uniqueName(container_id)
  201. container = container_type(container_id)
  202. try:
  203. with open(file_url, "rt", encoding = "utf-8") as f:
  204. container.deserialize(f.read())
  205. except PermissionError:
  206. return {"status": "error", "message": "Permission denied when trying to read the file."}
  207. except ContainerFormatError:
  208. return {"status": "error", "Message": "The material file appears to be corrupt."}
  209. except Exception as ex:
  210. return {"status": "error", "message": str(ex)}
  211. container.setDirty(True)
  212. container_registry.addContainer(container)
  213. return {"status": "success", "message": "Successfully imported container {0}".format(container.getName())}
  214. ## Update the current active quality changes container with the settings from the user container.
  215. #
  216. # This will go through the active global stack and all active extruder stacks and merge the changes from the user
  217. # container into the quality_changes container. After that, the user container is cleared.
  218. #
  219. # \return \type{bool} True if successful, False if not.
  220. @pyqtSlot(result = bool)
  221. def updateQualityChanges(self) -> bool:
  222. global_stack = cura.CuraApplication.CuraApplication.getInstance().getMachineManager().activeMachine
  223. if not global_stack:
  224. return False
  225. cura.CuraApplication.CuraApplication.getInstance().getMachineManager().blurSettings.emit()
  226. current_quality_changes_name = global_stack.qualityChanges.getName()
  227. current_quality_type = global_stack.quality.getMetaDataEntry("quality_type")
  228. extruder_stacks = list(global_stack.extruders.values())
  229. container_registry = cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry()
  230. quality_manager = QualityManager.getInstance()
  231. for stack in [global_stack] + extruder_stacks:
  232. # Find the quality_changes container for this stack and merge the contents of the top container into it.
  233. quality_changes = stack.qualityChanges
  234. if quality_changes.getId() == "empty_quality_changes":
  235. quality_changes = quality_manager._createQualityChanges(current_quality_type, current_quality_changes_name,
  236. global_stack, stack)
  237. container_registry.addContainer(quality_changes)
  238. stack.qualityChanges = quality_changes
  239. if not quality_changes or container_registry.isReadOnly(quality_changes.getId()):
  240. Logger.log("e", "Could not update quality of a nonexistant or read only quality profile in stack %s", stack.getId())
  241. continue
  242. self._performMerge(quality_changes, stack.getTop())
  243. cura.CuraApplication.CuraApplication.getInstance().getMachineManager().activeQualityChangesGroupChanged.emit()
  244. return True
  245. ## Clear the top-most (user) containers of the active stacks.
  246. @pyqtSlot()
  247. def clearUserContainers(self) -> None:
  248. machine_manager = cura.CuraApplication.CuraApplication.getInstance().getMachineManager()
  249. machine_manager.blurSettings.emit()
  250. send_emits_containers = []
  251. # Go through global and extruder stacks and clear their topmost container (the user settings).
  252. global_stack = machine_manager.activeMachine
  253. extruder_stacks = list(global_stack.extruders.values())
  254. for stack in [global_stack] + extruder_stacks:
  255. container = stack.userChanges
  256. container.clear()
  257. send_emits_containers.append(container)
  258. # user changes are possibly added to make the current setup match the current enabled extruders
  259. machine_manager.correctExtruderSettings()
  260. for container in send_emits_containers:
  261. container.sendPostponedEmits()
  262. ## Get a list of materials that have the same GUID as the reference material
  263. #
  264. # \param material_id \type{str} the id of the material for which to get the linked materials.
  265. # \return \type{list} a list of names of materials with the same GUID
  266. @pyqtSlot("QVariant", bool, result = "QStringList")
  267. def getLinkedMaterials(self, material_node: "MaterialNode", exclude_self: bool = False):
  268. guid = material_node.getMetaDataEntry("GUID", "")
  269. self_root_material_id = material_node.getMetaDataEntry("base_file")
  270. material_group_list = MaterialManager.getInstance().getMaterialGroupListByGUID(guid)
  271. linked_material_names = []
  272. if material_group_list:
  273. for material_group in material_group_list:
  274. if exclude_self and material_group.name == self_root_material_id:
  275. continue
  276. linked_material_names.append(material_group.root_material_node.getMetaDataEntry("name", ""))
  277. return linked_material_names
  278. ## Unlink a material from all other materials by creating a new GUID
  279. # \param material_id \type{str} the id of the material to create a new GUID for.
  280. @pyqtSlot("QVariant")
  281. def unlinkMaterial(self, material_node: "MaterialNode") -> None:
  282. # Get the material group
  283. material_group = MaterialManager.getInstance().getMaterialGroup(material_node.getMetaDataEntry("base_file", ""))
  284. if material_group is None:
  285. Logger.log("w", "Unable to find material group for %s", material_node)
  286. return
  287. # Generate a new GUID
  288. new_guid = str(uuid.uuid4())
  289. # Update the GUID
  290. # NOTE: We only need to set the root material container because XmlMaterialProfile.setMetaDataEntry() will
  291. # take care of the derived containers too
  292. container = material_group.root_material_node.getContainer()
  293. if container is not None:
  294. container.setMetaDataEntry("GUID", new_guid)
  295. def _performMerge(self, merge_into: InstanceContainer, merge: InstanceContainer, clear_settings: bool = True) -> None:
  296. if merge == merge_into:
  297. return
  298. for key in merge.getAllKeys():
  299. merge_into.setProperty(key, "value", merge.getProperty(key, "value"))
  300. if clear_settings:
  301. merge.clear()
  302. def _updateContainerNameFilters(self) -> None:
  303. self._container_name_filters = {}
  304. plugin_registry = cura.CuraApplication.CuraApplication.getInstance().getPluginRegistry()
  305. container_registry = cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry()
  306. for plugin_id, container_type in container_registry.getContainerTypes():
  307. # Ignore default container types since those are not plugins
  308. if container_type in (InstanceContainer, ContainerStack, DefinitionContainer):
  309. continue
  310. serialize_type = ""
  311. try:
  312. plugin_metadata = plugin_registry.getMetaData(plugin_id)
  313. if plugin_metadata:
  314. serialize_type = plugin_metadata["settings_container"]["type"]
  315. else:
  316. continue
  317. except KeyError as e:
  318. continue
  319. mime_type = container_registry.getMimeTypeForContainer(container_type)
  320. if mime_type is None:
  321. continue
  322. entry = {
  323. "type": serialize_type,
  324. "mime": mime_type,
  325. "container": container_type
  326. }
  327. suffix = mime_type.preferredSuffix
  328. if Platform.isOSX() and "." in suffix:
  329. # OSX's File dialog is stupid and does not allow selecting files with a . in its name
  330. suffix = suffix[suffix.index(".") + 1:]
  331. suffix_list = "*." + suffix
  332. for suffix in mime_type.suffixes:
  333. if suffix == mime_type.preferredSuffix:
  334. continue
  335. if Platform.isOSX() and "." in suffix:
  336. # OSX's File dialog is stupid and does not allow selecting files with a . in its name
  337. suffix = suffix[suffix.index("."):]
  338. suffix_list += ", *." + suffix
  339. name_filter = "{0} ({1})".format(mime_type.comment, suffix_list)
  340. self._container_name_filters[name_filter] = entry
  341. ## Import single profile, file_url does not have to end with curaprofile
  342. @pyqtSlot(QUrl, result = "QVariantMap")
  343. def importProfile(self, file_url: QUrl) -> Dict[str, str]:
  344. if not file_url.isValid():
  345. return {"status": "error", "message": catalog.i18nc("@info:status", "Invalid file URL:") + " " + str(file_url)}
  346. path = file_url.toLocalFile()
  347. if not path:
  348. return {"status": "error", "message": catalog.i18nc("@info:status", "Invalid file URL:") + " " + str(file_url)}
  349. return cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry().importProfile(path)
  350. @pyqtSlot(QObject, QUrl, str)
  351. def exportQualityChangesGroup(self, quality_changes_group: "QualityChangesGroup", file_url: QUrl, file_type: str) -> None:
  352. if not file_url.isValid():
  353. return
  354. path = file_url.toLocalFile()
  355. if not path:
  356. return
  357. container_list = [n.getContainer() for n in quality_changes_group.getAllNodes() if n.getContainer() is not None]
  358. cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry().exportQualityProfile(container_list, path, file_type)
  359. __instance = None # type: ContainerManager
  360. @classmethod
  361. def getInstance(cls, *args, **kwargs) -> "ContainerManager":
  362. return cls.__instance