MaterialManager.py 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519
  1. # Copyright (c) 2018 Ultimaker B.V.
  2. # Cura is released under the terms of the LGPLv3 or higher.
  3. from collections import defaultdict, OrderedDict
  4. import copy
  5. import uuid
  6. from typing import Optional, TYPE_CHECKING
  7. from PyQt5.Qt import QTimer, QObject, pyqtSignal, pyqtSlot
  8. from UM.Application import Application
  9. from UM.Logger import Logger
  10. from UM.Settings.ContainerRegistry import ContainerRegistry
  11. from UM.Settings.SettingFunction import SettingFunction
  12. from UM.Util import parseBool
  13. from .MaterialNode import MaterialNode
  14. from .MaterialGroup import MaterialGroup
  15. if TYPE_CHECKING:
  16. from cura.Settings.GlobalStack import GlobalStack
  17. #
  18. # MaterialManager maintains a number of maps and trees for material lookup.
  19. # The models GUI and QML use are now only dependent on the MaterialManager. That means as long as the data in
  20. # MaterialManager gets updated correctly, the GUI models should be updated correctly too, and the same goes for GUI.
  21. #
  22. # For now, updating the lookup maps and trees here is very simple: we discard the old data completely and recreate them
  23. # again. This means the update is exactly the same as initialization. There are performance concerns about this approach
  24. # but so far the creation of the tables and maps is very fast and there is no noticeable slowness, we keep it like this
  25. # because it's simple.
  26. #
  27. class MaterialManager(QObject):
  28. materialsUpdated = pyqtSignal() # Emitted whenever the material lookup tables are updated.
  29. def __init__(self, container_registry, parent = None):
  30. super().__init__(parent)
  31. self._application = Application.getInstance()
  32. self._container_registry = container_registry # type: ContainerRegistry
  33. self._fallback_materials_map = dict() # material_type -> generic material metadata
  34. self._material_group_map = dict() # root_material_id -> MaterialGroup
  35. self._diameter_machine_variant_material_map = dict() # approximate diameter str -> dict(machine_definition_id -> MaterialNode)
  36. # We're using these two maps to convert between the specific diameter material id and the generic material id
  37. # because the generic material ids are used in qualities and definitions, while the specific diameter material is meant
  38. # i.e. generic_pla -> generic_pla_175
  39. self._material_diameter_map = defaultdict(dict) # root_material_id -> approximate diameter str -> root_material_id for that diameter
  40. self._diameter_material_map = dict() # material id including diameter (generic_pla_175) -> material root id (generic_pla)
  41. # This is used in Legacy UM3 send material function and the material management page.
  42. self._guid_material_groups_map = defaultdict(list) # GUID -> a list of material_groups
  43. # The machine definition ID for the non-machine-specific materials.
  44. # This is used as the last fallback option if the given machine-specific material(s) cannot be found.
  45. self._default_machine_definition_id = "fdmprinter"
  46. self._default_approximate_diameter_for_quality_search = "3"
  47. # When a material gets added/imported, there can be more than one InstanceContainers. In those cases, we don't
  48. # want to react on every container/metadata changed signal. The timer here is to buffer it a bit so we don't
  49. # react too many time.
  50. self._update_timer = QTimer(self)
  51. self._update_timer.setInterval(300)
  52. self._update_timer.setSingleShot(True)
  53. self._update_timer.timeout.connect(self._updateMaps)
  54. self._container_registry.containerMetaDataChanged.connect(self._onContainerMetadataChanged)
  55. self._container_registry.containerAdded.connect(self._onContainerMetadataChanged)
  56. self._container_registry.containerRemoved.connect(self._onContainerMetadataChanged)
  57. def initialize(self):
  58. # Find all materials and put them in a matrix for quick search.
  59. material_metadatas = {metadata["id"]: metadata for metadata in self._container_registry.findContainersMetadata(type = "material")}
  60. self._material_group_map = dict()
  61. # Map #1
  62. # root_material_id -> MaterialGroup
  63. for material_id, material_metadata in material_metadatas.items():
  64. # We don't store empty material in the lookup tables
  65. if material_id == "empty_material":
  66. continue
  67. root_material_id = material_metadata.get("base_file")
  68. if root_material_id not in self._material_group_map:
  69. self._material_group_map[root_material_id] = MaterialGroup(root_material_id, MaterialNode(material_metadatas[root_material_id]))
  70. self._material_group_map[root_material_id].is_read_only = self._container_registry.isReadOnly(root_material_id)
  71. group = self._material_group_map[root_material_id]
  72. #Store this material in the group of the appropriate root material.
  73. if material_id != root_material_id:
  74. new_node = MaterialNode(material_metadata)
  75. group.derived_material_node_list.append(new_node)
  76. # Order this map alphabetically so it's easier to navigate in a debugger
  77. self._material_group_map = OrderedDict(sorted(self._material_group_map.items(), key = lambda x: x[0]))
  78. # Map #1.5
  79. # GUID -> material group list
  80. self._guid_material_groups_map = defaultdict(list)
  81. for root_material_id, material_group in self._material_group_map.items():
  82. guid = material_group.root_material_node.metadata["GUID"]
  83. self._guid_material_groups_map[guid].append(material_group)
  84. # Map #2
  85. # Lookup table for material type -> fallback material metadata, only for read-only materials
  86. grouped_by_type_dict = dict()
  87. material_types_without_fallback = set()
  88. for root_material_id, material_node in self._material_group_map.items():
  89. if not self._container_registry.isReadOnly(root_material_id):
  90. continue
  91. material_type = material_node.root_material_node.metadata["material"]
  92. if material_type not in grouped_by_type_dict:
  93. grouped_by_type_dict[material_type] = {"generic": None,
  94. "others": []}
  95. material_types_without_fallback.add(material_type)
  96. brand = material_node.root_material_node.metadata["brand"]
  97. if brand.lower() == "generic":
  98. to_add = True
  99. if material_type in grouped_by_type_dict:
  100. diameter = material_node.root_material_node.metadata.get("approximate_diameter")
  101. if diameter != self._default_approximate_diameter_for_quality_search:
  102. to_add = False # don't add if it's not the default diameter
  103. if to_add:
  104. grouped_by_type_dict[material_type] = material_node.root_material_node.metadata
  105. material_types_without_fallback.remove(material_type)
  106. # Remove the materials that have no fallback materials
  107. for material_type in material_types_without_fallback:
  108. del grouped_by_type_dict[material_type]
  109. self._fallback_materials_map = grouped_by_type_dict
  110. # Map #3
  111. # There can be multiple material profiles for the same material with different diameters, such as "generic_pla"
  112. # and "generic_pla_175". This is inconvenient when we do material-specific quality lookup because a quality can
  113. # be for either "generic_pla" or "generic_pla_175", but not both. This map helps to get the correct material ID
  114. # for quality search.
  115. self._material_diameter_map = defaultdict(dict)
  116. self._diameter_material_map = dict()
  117. # Group the material IDs by the same name, material, brand, and color but with different diameters.
  118. material_group_dict = dict()
  119. keys_to_fetch = ("name", "material", "brand", "color")
  120. for root_material_id, machine_node in self._material_group_map.items():
  121. if not self._container_registry.isReadOnly(root_material_id):
  122. continue
  123. root_material_metadata = machine_node.root_material_node.metadata
  124. key_data = []
  125. for key in keys_to_fetch:
  126. key_data.append(root_material_metadata.get(key))
  127. key_data = tuple(key_data)
  128. if key_data not in material_group_dict:
  129. material_group_dict[key_data] = dict()
  130. approximate_diameter = root_material_metadata.get("approximate_diameter")
  131. material_group_dict[key_data][approximate_diameter] = root_material_metadata["id"]
  132. # Map [root_material_id][diameter] -> root_material_id for this diameter
  133. for data_dict in material_group_dict.values():
  134. for root_material_id1 in data_dict.values():
  135. if root_material_id1 in self._material_diameter_map:
  136. continue
  137. diameter_map = data_dict
  138. for root_material_id2 in data_dict.values():
  139. self._material_diameter_map[root_material_id2] = diameter_map
  140. default_root_material_id = data_dict.get(self._default_approximate_diameter_for_quality_search)
  141. if default_root_material_id is None:
  142. default_root_material_id = list(data_dict.values())[0] # no default diameter present, just take "the" only one
  143. for root_material_id in data_dict.values():
  144. self._diameter_material_map[root_material_id] = default_root_material_id
  145. # Map #4
  146. # "machine" -> "variant_name" -> "root material ID" -> specific material InstanceContainer
  147. # Construct the "machine" -> "variant" -> "root material ID" -> specific material InstanceContainer
  148. self._diameter_machine_variant_material_map = dict()
  149. for material_metadata in material_metadatas.values():
  150. # We don't store empty material in the lookup tables
  151. if material_metadata["id"] == "empty_material":
  152. continue
  153. root_material_id = material_metadata["base_file"]
  154. definition = material_metadata["definition"]
  155. approximate_diameter = material_metadata["approximate_diameter"]
  156. if approximate_diameter not in self._diameter_machine_variant_material_map:
  157. self._diameter_machine_variant_material_map[approximate_diameter] = {}
  158. machine_variant_material_map = self._diameter_machine_variant_material_map[approximate_diameter]
  159. if definition not in machine_variant_material_map:
  160. machine_variant_material_map[definition] = MaterialNode()
  161. machine_node = machine_variant_material_map[definition]
  162. variant_name = material_metadata.get("variant_name")
  163. if not variant_name:
  164. # if there is no variant, this material is for the machine, so put its metadata in the machine node.
  165. machine_node.material_map[root_material_id] = MaterialNode(material_metadata)
  166. else:
  167. # this material is variant-specific, so we save it in a variant-specific node under the
  168. # machine-specific node
  169. if variant_name not in machine_node.children_map:
  170. machine_node.children_map[variant_name] = MaterialNode()
  171. variant_node = machine_node.children_map[variant_name]
  172. if root_material_id not in variant_node.material_map:
  173. variant_node.material_map[root_material_id] = MaterialNode(material_metadata)
  174. else:
  175. # Sanity check: make sure we don't have duplicated variant-specific materials for the same machine
  176. raise RuntimeError("Found duplicate variant name [%s] for machine [%s] in material [%s]" %
  177. (variant_name, definition, material_metadata["id"]))
  178. self.materialsUpdated.emit()
  179. def _updateMaps(self):
  180. Logger.log("i", "Updating material lookup data ...")
  181. self.initialize()
  182. def _onContainerMetadataChanged(self, container):
  183. self._onContainerChanged(container)
  184. def _onContainerChanged(self, container):
  185. container_type = container.getMetaDataEntry("type")
  186. if container_type != "material":
  187. return
  188. # update the maps
  189. self._update_timer.start()
  190. def getMaterialGroup(self, root_material_id: str) -> Optional[MaterialGroup]:
  191. return self._material_group_map.get(root_material_id)
  192. def getRootMaterialIDForDiameter(self, root_material_id: str, approximate_diameter: str) -> str:
  193. return self._material_diameter_map.get(root_material_id).get(approximate_diameter, root_material_id)
  194. def getRootMaterialIDWithoutDiameter(self, root_material_id: str) -> str:
  195. return self._diameter_material_map.get(root_material_id)
  196. def getMaterialGroupListByGUID(self, guid: str) -> Optional[list]:
  197. return self._guid_material_groups_map.get(guid)
  198. #
  199. # Return a dict with all root material IDs (k) and ContainerNodes (v) that's suitable for the given setup.
  200. #
  201. def getAvailableMaterials(self, machine_definition_id: str, extruder_variant_name: Optional[str],
  202. diameter: float) -> dict:
  203. # round the diameter to get the approximate diameter
  204. rounded_diameter = str(round(diameter))
  205. if rounded_diameter not in self._diameter_machine_variant_material_map:
  206. Logger.log("i", "Cannot find materials with diameter [%s] (rounded to [%s])", diameter, rounded_diameter)
  207. return dict()
  208. # If there are variant materials, get the variant material
  209. machine_variant_material_map = self._diameter_machine_variant_material_map[rounded_diameter]
  210. machine_node = machine_variant_material_map.get(machine_definition_id)
  211. default_machine_node = machine_variant_material_map.get(self._default_machine_definition_id)
  212. variant_node = None
  213. if extruder_variant_name is not None and machine_node is not None:
  214. variant_node = machine_node.getChildNode(extruder_variant_name)
  215. nodes_to_check = [variant_node, machine_node, default_machine_node]
  216. # Fallback mechanism of finding materials:
  217. # 1. variant-specific material
  218. # 2. machine-specific material
  219. # 3. generic material (for fdmprinter)
  220. material_id_metadata_dict = dict()
  221. for node in nodes_to_check:
  222. if node is not None:
  223. for material_id, node in node.material_map.items():
  224. if material_id not in material_id_metadata_dict:
  225. material_id_metadata_dict[material_id] = node
  226. return material_id_metadata_dict
  227. #
  228. # A convenience function to get available materials for the given machine with the extruder position.
  229. #
  230. def getAvailableMaterialsForMachineExtruder(self, machine: "GlobalStack",
  231. extruder_stack: "ExtruderStack") -> Optional[dict]:
  232. machine_definition_id = machine.definition.getId()
  233. variant_name = None
  234. if extruder_stack.variant.getId() != "empty_variant":
  235. variant_name = extruder_stack.variant.getName()
  236. diameter = extruder_stack.approximateMaterialDiameter
  237. # Fetch the available materials (ContainerNode) for the current active machine and extruder setup.
  238. return self.getAvailableMaterials(machine_definition_id, variant_name, diameter)
  239. #
  240. # Gets MaterialNode for the given extruder and machine with the given material name.
  241. # Returns None if:
  242. # 1. the given machine doesn't have materials;
  243. # 2. cannot find any material InstanceContainers with the given settings.
  244. #
  245. def getMaterialNode(self, machine_definition_id: str, extruder_variant_name: Optional[str],
  246. diameter: float, root_material_id: str) -> Optional["InstanceContainer"]:
  247. # round the diameter to get the approximate diameter
  248. rounded_diameter = str(round(diameter))
  249. if rounded_diameter not in self._diameter_machine_variant_material_map:
  250. Logger.log("i", "Cannot find materials with diameter [%s] (rounded to [%s]) for root material id [%s]",
  251. diameter, rounded_diameter, root_material_id)
  252. return None
  253. # If there are variant materials, get the variant material
  254. machine_variant_material_map = self._diameter_machine_variant_material_map[rounded_diameter]
  255. machine_node = machine_variant_material_map.get(machine_definition_id)
  256. variant_node = None
  257. # Fallback for "fdmprinter" if the machine-specific materials cannot be found
  258. if machine_node is None:
  259. machine_node = machine_variant_material_map.get(self._default_machine_definition_id)
  260. if machine_node is not None and extruder_variant_name is not None:
  261. variant_node = machine_node.getChildNode(extruder_variant_name)
  262. # Fallback mechanism of finding materials:
  263. # 1. variant-specific material
  264. # 2. machine-specific material
  265. # 3. generic material (for fdmprinter)
  266. nodes_to_check = [variant_node, machine_node,
  267. machine_variant_material_map.get(self._default_machine_definition_id)]
  268. material_node = None
  269. for node in nodes_to_check:
  270. if node is not None:
  271. material_node = node.material_map.get(root_material_id)
  272. if material_node:
  273. break
  274. return material_node
  275. #
  276. # Gets MaterialNode for the given extruder and machine with the given material type.
  277. # Returns None if:
  278. # 1. the given machine doesn't have materials;
  279. # 2. cannot find any material InstanceContainers with the given settings.
  280. #
  281. def getMaterialNodeByType(self, global_stack: "GlobalStack", extruder_variant_name: str, material_guid: str) -> Optional["MaterialNode"]:
  282. node = None
  283. machine_definition = global_stack.definition
  284. if parseBool(machine_definition.getMetaDataEntry("has_materials", False)):
  285. material_diameter = machine_definition.getProperty("material_diameter", "value")
  286. if isinstance(material_diameter, SettingFunction):
  287. material_diameter = material_diameter(global_stack)
  288. # Look at the guid to material dictionary
  289. root_material_id = None
  290. for material_group in self._guid_material_groups_map[material_guid]:
  291. if material_group.is_read_only:
  292. root_material_id = material_group.root_material_node.metadata["id"]
  293. break
  294. if not root_material_id:
  295. Logger.log("i", "Cannot find materials with guid [%s] ", material_guid)
  296. return None
  297. node = self.getMaterialNode(machine_definition.getId(), extruder_variant_name,
  298. material_diameter, root_material_id)
  299. return node
  300. #
  301. # Used by QualityManager. Built-in quality profiles may be based on generic material IDs such as "generic_pla".
  302. # For materials such as ultimaker_pla_orange, no quality profiles may be found, so we should fall back to use
  303. # the generic material IDs to search for qualities.
  304. #
  305. # An example would be, suppose we have machine with preferred material set to "filo3d_pla" (1.75mm), but its
  306. # extruders only use 2.85mm materials, then we won't be able to find the preferred material for this machine.
  307. # A fallback would be to fetch a generic material of the same type "PLA" as "filo3d_pla", and in this case it will
  308. # be "generic_pla". This function is intended to get a generic fallback material for the given material type.
  309. #
  310. # This function returns the generic root material ID for the given material type, where material types are "PLA",
  311. # "ABS", etc.
  312. #
  313. def getFallbackMaterialIdByMaterialType(self, material_type: str) -> Optional[str]:
  314. # For safety
  315. if material_type not in self._fallback_materials_map:
  316. Logger.log("w", "The material type [%s] does not have a fallback material" % material_type)
  317. return None
  318. fallback_material = self._fallback_materials_map[material_type]
  319. if fallback_material:
  320. return self.getRootMaterialIDWithoutDiameter(fallback_material["id"])
  321. else:
  322. return None
  323. def getDefaultMaterial(self, global_stack: "GlobalStack", extruder_variant_name: Optional[str]) -> Optional["MaterialNode"]:
  324. node = None
  325. machine_definition = global_stack.definition
  326. if parseBool(global_stack.getMetaDataEntry("has_materials", False)):
  327. material_diameter = machine_definition.getProperty("material_diameter", "value")
  328. if isinstance(material_diameter, SettingFunction):
  329. material_diameter = material_diameter(global_stack)
  330. approximate_material_diameter = str(round(material_diameter))
  331. root_material_id = machine_definition.getMetaDataEntry("preferred_material")
  332. root_material_id = self.getRootMaterialIDForDiameter(root_material_id, approximate_material_diameter)
  333. node = self.getMaterialNode(machine_definition.getId(), extruder_variant_name,
  334. material_diameter, root_material_id)
  335. return node
  336. def removeMaterialByRootId(self, root_material_id: str):
  337. material_group = self.getMaterialGroup(root_material_id)
  338. if not material_group:
  339. Logger.log("i", "Unable to remove the material with id %s, because it doesn't exist.", root_material_id)
  340. return
  341. nodes_to_remove = [material_group.root_material_node] + material_group.derived_material_node_list
  342. for node in nodes_to_remove:
  343. self._container_registry.removeContainer(node.metadata["id"])
  344. #
  345. # Methods for GUI
  346. #
  347. #
  348. # Sets the new name for the given material.
  349. #
  350. @pyqtSlot("QVariant", str)
  351. def setMaterialName(self, material_node: "MaterialNode", name: str):
  352. root_material_id = material_node.metadata["base_file"]
  353. if self._container_registry.isReadOnly(root_material_id):
  354. Logger.log("w", "Cannot set name of read-only container %s.", root_material_id)
  355. return
  356. material_group = self.getMaterialGroup(root_material_id)
  357. material_group.root_material_node.getContainer().setName(name)
  358. #
  359. # Removes the given material.
  360. #
  361. @pyqtSlot("QVariant")
  362. def removeMaterial(self, material_node: "MaterialNode"):
  363. root_material_id = material_node.metadata["base_file"]
  364. self.removeMaterialByRootId(root_material_id)
  365. #
  366. # Creates a duplicate of a material, which has the same GUID and base_file metadata.
  367. # Returns the root material ID of the duplicated material if successful.
  368. #
  369. @pyqtSlot("QVariant", result = str)
  370. def duplicateMaterial(self, material_node, new_base_id = None, new_metadata = None) -> Optional[str]:
  371. root_material_id = material_node.metadata["base_file"]
  372. material_group = self.getMaterialGroup(root_material_id)
  373. if not material_group:
  374. Logger.log("i", "Unable to duplicate the material with id %s, because it doesn't exist.", root_material_id)
  375. return None
  376. base_container = material_group.root_material_node.getContainer()
  377. # Ensure all settings are saved.
  378. self._application.saveSettings()
  379. # Create a new ID & container to hold the data.
  380. new_containers = []
  381. if new_base_id is None:
  382. new_base_id = self._container_registry.uniqueName(base_container.getId())
  383. new_base_container = copy.deepcopy(base_container)
  384. new_base_container.getMetaData()["id"] = new_base_id
  385. new_base_container.getMetaData()["base_file"] = new_base_id
  386. if new_metadata is not None:
  387. for key, value in new_metadata.items():
  388. new_base_container.getMetaData()[key] = value
  389. new_containers.append(new_base_container)
  390. # Clone all of them.
  391. for node in material_group.derived_material_node_list:
  392. container_to_copy = node.getContainer()
  393. # Create unique IDs for every clone.
  394. new_id = new_base_id
  395. if container_to_copy.getMetaDataEntry("definition") != "fdmprinter":
  396. new_id += "_" + container_to_copy.getMetaDataEntry("definition")
  397. if container_to_copy.getMetaDataEntry("variant_name"):
  398. variant_name = container_to_copy.getMetaDataEntry("variant_name")
  399. new_id += "_" + variant_name.replace(" ", "_")
  400. new_container = copy.deepcopy(container_to_copy)
  401. new_container.getMetaData()["id"] = new_id
  402. new_container.getMetaData()["base_file"] = new_base_id
  403. if new_metadata is not None:
  404. for key, value in new_metadata.items():
  405. new_container.getMetaData()[key] = value
  406. new_containers.append(new_container)
  407. for container_to_add in new_containers:
  408. container_to_add.setDirty(True)
  409. self._container_registry.addContainer(container_to_add)
  410. return new_base_id
  411. #
  412. # Create a new material by cloning Generic PLA for the current material diameter and generate a new GUID.
  413. #
  414. @pyqtSlot(result = str)
  415. def createMaterial(self) -> str:
  416. from UM.i18n import i18nCatalog
  417. catalog = i18nCatalog("cura")
  418. # Ensure all settings are saved.
  419. self._application.saveSettings()
  420. machine_manager = self._application.getMachineManager()
  421. extruder_stack = machine_manager.activeStack
  422. approximate_diameter = str(extruder_stack.approximateMaterialDiameter)
  423. root_material_id = "generic_pla"
  424. root_material_id = self.getRootMaterialIDForDiameter(root_material_id, approximate_diameter)
  425. material_group = self.getMaterialGroup(root_material_id)
  426. # Create a new ID & container to hold the data.
  427. new_id = self._container_registry.uniqueName("custom_material")
  428. new_metadata = {"name": catalog.i18nc("@label", "Custom Material"),
  429. "brand": catalog.i18nc("@label", "Custom"),
  430. "GUID": str(uuid.uuid4()),
  431. }
  432. self.duplicateMaterial(material_group.root_material_node,
  433. new_base_id = new_id,
  434. new_metadata = new_metadata)
  435. return new_id