MachineNode.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208
  1. # Copyright (c) 2019 Ultimaker B.V.
  2. # Cura is released under the terms of the LGPLv3 or higher.
  3. from typing import Dict, List
  4. from UM.Logger import Logger
  5. from UM.Signal import Signal
  6. from UM.Util import parseBool
  7. from UM.Settings.ContainerRegistry import ContainerRegistry # To find all the variants for this machine.
  8. import cura.CuraApplication # Imported like this to prevent circular dependencies.
  9. from cura.Machines.ContainerNode import ContainerNode
  10. from cura.Machines.QualityChangesGroup import QualityChangesGroup # To construct groups of quality changes profiles that belong together.
  11. from cura.Machines.QualityGroup import QualityGroup # To construct groups of quality profiles that belong together.
  12. from cura.Machines.QualityNode import QualityNode
  13. from cura.Machines.VariantNode import VariantNode
  14. from cura.Machines.MaterialNode import MaterialNode
  15. import UM.FlameProfiler
  16. class MachineNode(ContainerNode):
  17. """This class represents a machine in the container tree.
  18. The subnodes of these nodes are variants.
  19. """
  20. def __init__(self, container_id: str) -> None:
  21. super().__init__(container_id)
  22. self.variants = {} # type: Dict[str, VariantNode] # Mapping variant names to their nodes.
  23. self.global_qualities = {} # type: Dict[str, QualityNode] # Mapping quality types to the global quality for those types.
  24. self.materialsChanged = Signal() # Emitted when one of the materials underneath this machine has been changed.
  25. container_registry = ContainerRegistry.getInstance()
  26. try:
  27. my_metadata = container_registry.findContainersMetadata(id = container_id)[0]
  28. except IndexError:
  29. Logger.log("Unable to find metadata for container %s", container_id)
  30. my_metadata = {}
  31. # Some of the metadata is cached upon construction here.
  32. # ONLY DO THAT FOR METADATA THAT DOESN'T CHANGE DURING RUNTIME!
  33. # Otherwise you need to keep it up-to-date during runtime.
  34. self.has_materials = parseBool(my_metadata.get("has_materials", "true"))
  35. self.has_variants = parseBool(my_metadata.get("has_variants", "false"))
  36. self.has_machine_quality = parseBool(my_metadata.get("has_machine_quality", "false"))
  37. self.quality_definition = my_metadata.get("quality_definition", container_id) if self.has_machine_quality else "fdmprinter"
  38. self.exclude_materials = my_metadata.get("exclude_materials", [])
  39. self.preferred_variant_name = my_metadata.get("preferred_variant_name", "")
  40. self.preferred_material = my_metadata.get("preferred_material", "")
  41. self.preferred_quality_type = my_metadata.get("preferred_quality_type", "")
  42. self._loadAll()
  43. def getQualityGroups(self, variant_names: List[str], material_bases: List[str], extruder_enabled: List[bool]) -> Dict[str, QualityGroup]:
  44. """Get the available quality groups for this machine.
  45. This returns all quality groups, regardless of whether they are available to the combination of extruders or
  46. not. On the resulting quality groups, the is_available property is set to indicate whether the quality group
  47. can be selected according to the combination of extruders in the parameters.
  48. :param variant_names: The names of the variants loaded in each extruder.
  49. :param material_bases: The base file names of the materials loaded in each extruder.
  50. :param extruder_enabled: Whether or not the extruders are enabled. This allows the function to set the
  51. is_available properly.
  52. :return: For each available quality type, a QualityGroup instance.
  53. """
  54. if len(variant_names) != len(material_bases) or len(variant_names) != len(extruder_enabled):
  55. Logger.log("e", "The number of extruders in the list of variants (" + str(len(variant_names)) + ") is not equal to the number of extruders in the list of materials (" + str(len(material_bases)) + ") or the list of enabled extruders (" + str(len(extruder_enabled)) + ").")
  56. return {}
  57. # For each extruder, find which quality profiles are available. Later we'll intersect the quality types.
  58. qualities_per_type_per_extruder = [{}] * len(variant_names) # type: List[Dict[str, QualityNode]]
  59. for extruder_nr, variant_name in enumerate(variant_names):
  60. if not extruder_enabled[extruder_nr]:
  61. continue # No qualities are available in this extruder. It'll get skipped when calculating the available quality types.
  62. material_base = material_bases[extruder_nr]
  63. if variant_name not in self.variants or material_base not in self.variants[variant_name].materials:
  64. # The printer has no variant/material-specific quality profiles. Use the global quality profiles.
  65. qualities_per_type_per_extruder[extruder_nr] = self.global_qualities
  66. else:
  67. # Use the actually specialised quality profiles.
  68. qualities_per_type_per_extruder[extruder_nr] = {node.quality_type: node for node in self.variants[variant_name].materials[material_base].qualities.values()}
  69. # Create the quality group for each available type.
  70. quality_groups = {}
  71. for quality_type, global_quality_node in self.global_qualities.items():
  72. if not global_quality_node.container:
  73. Logger.log("w", "Node {0} doesn't have a container.".format(global_quality_node.container_id))
  74. continue
  75. quality_groups[quality_type] = QualityGroup(name = global_quality_node.getMetaDataEntry("name", "Unnamed profile"), quality_type = quality_type)
  76. quality_groups[quality_type].node_for_global = global_quality_node
  77. for extruder_position, qualities_per_type in enumerate(qualities_per_type_per_extruder):
  78. if quality_type in qualities_per_type:
  79. quality_groups[quality_type].setExtruderNode(extruder_position, qualities_per_type[quality_type])
  80. available_quality_types = set(quality_groups.keys())
  81. for extruder_nr, qualities_per_type in enumerate(qualities_per_type_per_extruder):
  82. if not extruder_enabled[extruder_nr]:
  83. continue
  84. available_quality_types.intersection_update(qualities_per_type.keys())
  85. for quality_type in available_quality_types:
  86. quality_groups[quality_type].is_available = True
  87. return quality_groups
  88. def getQualityChangesGroups(self, variant_names: List[str], material_bases: List[str], extruder_enabled: List[bool]) -> List[QualityChangesGroup]:
  89. """Returns all of the quality changes groups available to this printer.
  90. The quality changes groups store which quality type and intent category they were made for, but not which
  91. material and nozzle. Instead for the quality type and intent category, the quality changes will always be
  92. available but change the quality type and intent category when activated.
  93. The quality changes group does depend on the printer: Which quality definition is used.
  94. The quality changes groups that are available do depend on the quality types that are available, so it must
  95. still be known which extruders are enabled and which materials and variants are loaded in them. This allows
  96. setting the correct is_available flag.
  97. :param variant_names: The names of the variants loaded in each extruder.
  98. :param material_bases: The base file names of the materials loaded in each extruder.
  99. :param extruder_enabled: For each extruder whether or not they are enabled.
  100. :return: List of all quality changes groups for the printer.
  101. """
  102. machine_quality_changes = ContainerRegistry.getInstance().findContainersMetadata(type = "quality_changes", definition = self.quality_definition) # All quality changes for each extruder.
  103. groups_by_name = {} #type: Dict[str, QualityChangesGroup] # Group quality changes profiles by their display name. The display name must be unique for quality changes. This finds profiles that belong together in a group.
  104. for quality_changes in machine_quality_changes:
  105. name = quality_changes["name"]
  106. if name not in groups_by_name:
  107. # CURA-6599
  108. # For some reason, QML will get null or fail to convert type for MachineManager.activeQualityChangesGroup() to
  109. # a QObject. Setting the object ownership to QQmlEngine.ObjectOwnership.CppOwnership doesn't work, but setting the object
  110. # parent to application seems to work.
  111. from cura.CuraApplication import CuraApplication
  112. groups_by_name[name] = QualityChangesGroup(name, quality_type = quality_changes["quality_type"],
  113. intent_category = quality_changes.get("intent_category", "default"),
  114. parent = CuraApplication.getInstance())
  115. elif groups_by_name[name].intent_category == "default": # Intent category should be stored as "default" if everything is default or as the intent if any of the extruder have an actual intent.
  116. groups_by_name[name].intent_category = quality_changes.get("intent_category", "default")
  117. if quality_changes.get("position") is not None and quality_changes.get("position") != "None": # An extruder profile.
  118. groups_by_name[name].metadata_per_extruder[int(quality_changes["position"])] = quality_changes
  119. else: # Global profile.
  120. groups_by_name[name].metadata_for_global = quality_changes
  121. quality_groups = self.getQualityGroups(variant_names, material_bases, extruder_enabled)
  122. for quality_changes_group in groups_by_name.values():
  123. if quality_changes_group.quality_type not in quality_groups:
  124. if quality_changes_group.quality_type == "not_supported":
  125. # Quality changes based on an empty profile are always available.
  126. quality_changes_group.is_available = True
  127. else:
  128. quality_changes_group.is_available = False
  129. else:
  130. # Quality changes group is available iff the quality group it depends on is available. Irrespective of whether the intent category is available.
  131. quality_changes_group.is_available = quality_groups[quality_changes_group.quality_type].is_available
  132. return list(groups_by_name.values())
  133. def preferredGlobalQuality(self) -> "QualityNode":
  134. """Gets the preferred global quality node, going by the preferred quality type.
  135. If the preferred global quality is not in there, an arbitrary global quality is taken. If there are no global
  136. qualities, an empty quality is returned.
  137. """
  138. return self.global_qualities.get(self.preferred_quality_type, next(iter(self.global_qualities.values())))
  139. def isExcludedMaterial(self, material: MaterialNode) -> bool:
  140. """Returns whether the material should be excluded from the list of materials."""
  141. for exclude_material in self.exclude_materials:
  142. if exclude_material in material["id"]:
  143. return True
  144. return False
  145. @UM.FlameProfiler.profile
  146. def _loadAll(self) -> None:
  147. """(Re)loads all variants under this printer."""
  148. container_registry = ContainerRegistry.getInstance()
  149. if not self.has_variants:
  150. self.variants["empty"] = VariantNode("empty_variant", machine=self)
  151. self.variants["empty"].materialsChanged.connect(self.materialsChanged)
  152. else:
  153. # Find all the variants for this definition ID.
  154. variants = container_registry.findInstanceContainersMetadata(type = "variant", definition = self.container_id, hardware_type = "nozzle")
  155. for variant in variants:
  156. variant_name = variant["name"]
  157. if variant_name not in self.variants:
  158. self.variants[variant_name] = VariantNode(variant["id"], machine = self)
  159. self.variants[variant_name].materialsChanged.connect(self.materialsChanged)
  160. else:
  161. # Force reloading the materials if the variant already exists or else materals won't be loaded
  162. # when the G-Code flavor changes --> CURA-7354
  163. self.variants[variant_name]._loadAll()
  164. if not self.variants:
  165. self.variants["empty"] = VariantNode("empty_variant", machine = self)
  166. # Find the global qualities for this printer.
  167. global_qualities = container_registry.findInstanceContainersMetadata(type = "quality", definition = self.quality_definition, global_quality = "True") # First try specific to this printer.
  168. if not global_qualities: # This printer doesn't override the global qualities.
  169. global_qualities = container_registry.findInstanceContainersMetadata(type = "quality", definition = "fdmprinter", global_quality = "True") # Otherwise pick the global global qualities.
  170. if not global_qualities: # There are no global qualities either?! Something went very wrong, but we'll not crash and properly fill the tree.
  171. global_qualities = [cura.CuraApplication.CuraApplication.getInstance().empty_quality_container.getMetaData()]
  172. for global_quality in global_qualities:
  173. self.global_qualities[global_quality["quality_type"]] = QualityNode(global_quality["id"], parent = self)