ThreeMFWorkspaceReader.py 71 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191119211931194119511961197119811991200120112021203120412051206120712081209121012111212121312141215121612171218121912201221122212231224122512261227122812291230123112321233123412351236123712381239124012411242124312441245124612471248124912501251125212531254125512561257125812591260126112621263126412651266126712681269127012711272127312741275127612771278127912801281128212831284128512861287128812891290129112921293129412951296129712981299130013011302130313041305130613071308130913101311131213131314131513161317131813191320
  1. # Copyright (c) 2021 Ultimaker B.V.
  2. # Cura is released under the terms of the LGPLv3 or higher.
  3. from configparser import ConfigParser
  4. import zipfile
  5. import os
  6. import json
  7. from typing import cast, Dict, List, Optional, Tuple, Any, Set
  8. import xml.etree.ElementTree as ET
  9. from UM.Util import parseBool
  10. from UM.Workspace.WorkspaceReader import WorkspaceReader
  11. from UM.Application import Application
  12. from UM.Logger import Logger
  13. from UM.Message import Message
  14. from UM.i18n import i18nCatalog
  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. from UM.Settings.ContainerRegistry import ContainerRegistry
  20. from UM.MimeTypeDatabase import MimeTypeDatabase, MimeType
  21. from UM.Job import Job
  22. from UM.Preferences import Preferences
  23. from cura.CuraPackageManager import CuraPackageManager
  24. from cura.Machines.ContainerTree import ContainerTree
  25. from cura.Settings.CuraStackBuilder import CuraStackBuilder
  26. from cura.Settings.ExtruderManager import ExtruderManager
  27. from cura.Settings.ExtruderStack import ExtruderStack
  28. from cura.Settings.GlobalStack import GlobalStack
  29. from cura.Settings.IntentManager import IntentManager
  30. from cura.Settings.CuraContainerStack import _ContainerIndexes
  31. from cura.CuraApplication import CuraApplication
  32. from cura.Utils.Threading import call_on_qt_thread
  33. from PyQt6.QtCore import QCoreApplication
  34. from .WorkspaceDialog import WorkspaceDialog
  35. i18n_catalog = i18nCatalog("cura")
  36. _ignored_machine_network_metadata = {
  37. "um_cloud_cluster_id",
  38. "um_network_key",
  39. "um_linked_to_account",
  40. "host_guid",
  41. "removal_warning",
  42. "group_name",
  43. "group_size",
  44. "connection_type",
  45. "capabilities",
  46. "octoprint_api_key",
  47. "is_abstract_machine"
  48. } # type: Set[str]
  49. class ContainerInfo:
  50. def __init__(self, file_name: Optional[str], serialized: Optional[str], parser: Optional[ConfigParser]) -> None:
  51. self.file_name = file_name
  52. self.serialized = serialized
  53. self.parser = parser
  54. self.container = None
  55. self.definition_id = None
  56. class QualityChangesInfo:
  57. def __init__(self) -> None:
  58. self.name = None
  59. self.global_info = None
  60. self.extruder_info_dict = {} # type: Dict[str, ContainerInfo]
  61. class MachineInfo:
  62. def __init__(self) -> None:
  63. self.container_id = None
  64. self.name = None
  65. self.definition_id = None
  66. self.metadata_dict = {} # type: Dict[str, str]
  67. self.quality_type = None
  68. self.intent_category = None
  69. self.custom_quality_name = None
  70. self.quality_changes_info = None
  71. self.variant_info = None
  72. self.definition_changes_info = None
  73. self.user_changes_info = None
  74. self.extruder_info_dict = {} # type: Dict[str, ExtruderInfo]
  75. class ExtruderInfo:
  76. def __init__(self) -> None:
  77. self.position = None
  78. self.enabled = True
  79. self.variant_info = None
  80. self.root_material_id = None
  81. self.definition_changes_info = None
  82. self.user_changes_info = None
  83. self.intent_info = None
  84. class ThreeMFWorkspaceReader(WorkspaceReader):
  85. """Base implementation for reading 3MF workspace files."""
  86. def __init__(self) -> None:
  87. super().__init__()
  88. self._supported_extensions = [".3mf"]
  89. self._dialog = WorkspaceDialog()
  90. self._3mf_mesh_reader = None
  91. self._container_registry = ContainerRegistry.getInstance()
  92. # suffixes registered with the MimeTypes don't start with a dot '.'
  93. self._definition_container_suffix = "." + cast(MimeType, ContainerRegistry.getMimeTypeForContainer(DefinitionContainer)).preferredSuffix
  94. self._material_container_suffix = None # We have to wait until all other plugins are loaded before we can set it
  95. self._instance_container_suffix = "." + cast(MimeType, ContainerRegistry.getMimeTypeForContainer(InstanceContainer)).preferredSuffix
  96. self._container_stack_suffix = "." + cast(MimeType, ContainerRegistry.getMimeTypeForContainer(ContainerStack)).preferredSuffix
  97. self._extruder_stack_suffix = "." + cast(MimeType, ContainerRegistry.getMimeTypeForContainer(ExtruderStack)).preferredSuffix
  98. self._global_stack_suffix = "." + cast(MimeType, ContainerRegistry.getMimeTypeForContainer(GlobalStack)).preferredSuffix
  99. # Certain instance container types are ignored because we make the assumption that only we make those types
  100. # of containers. They are:
  101. # - quality
  102. # - variant
  103. self._ignored_instance_container_types = {"quality", "variant"}
  104. self._resolve_strategies = {} # type: Dict[str, str]
  105. self._id_mapping = {} # type: Dict[str, str]
  106. # In Cura 2.5 and 2.6, the empty profiles used to have those long names
  107. self._old_empty_profile_id_dict = {"empty_%s" % k: "empty" for k in ["material", "variant"]}
  108. self._old_new_materials = {} # type: Dict[str, str]
  109. self._machine_info = None
  110. def _clearState(self):
  111. self._id_mapping = {}
  112. self._old_new_materials = {}
  113. self._machine_info = None
  114. def getNewId(self, old_id: str):
  115. """Get a unique name based on the old_id. This is different from directly calling the registry in that it caches results.
  116. This has nothing to do with speed, but with getting consistent new naming for instances & objects.
  117. """
  118. if old_id not in self._id_mapping:
  119. self._id_mapping[old_id] = self._container_registry.uniqueName(old_id)
  120. return self._id_mapping[old_id]
  121. def _determineGlobalAndExtruderStackFiles(self, project_file_name: str, file_list: List[str]) -> Tuple[str, List[str]]:
  122. """Separates the given file list into a list of GlobalStack files and a list of ExtruderStack files.
  123. In old versions, extruder stack files have the same suffix as container stack files ".stack.cfg".
  124. """
  125. archive = zipfile.ZipFile(project_file_name, "r")
  126. global_stack_file_list = [name for name in file_list if name.endswith(self._global_stack_suffix)]
  127. extruder_stack_file_list = [name for name in file_list if name.endswith(self._extruder_stack_suffix)]
  128. # separate container stack files and extruder stack files
  129. files_to_determine = [name for name in file_list if name.endswith(self._container_stack_suffix)]
  130. for file_name in files_to_determine:
  131. # FIXME: HACK!
  132. # We need to know the type of the stack file, but we can only know it if we deserialize it.
  133. # The default ContainerStack.deserialize() will connect signals, which is not desired in this case.
  134. # Since we know that the stack files are INI files, so we directly use the ConfigParser to parse them.
  135. serialized = archive.open(file_name).read().decode("utf-8")
  136. stack_config = ConfigParser(interpolation = None)
  137. stack_config.read_string(serialized)
  138. # sanity check
  139. if not stack_config.has_option("metadata", "type"):
  140. Logger.log("e", "%s in %s doesn't seem to be valid stack file", file_name, project_file_name)
  141. continue
  142. stack_type = stack_config.get("metadata", "type")
  143. if stack_type == "extruder_train":
  144. extruder_stack_file_list.append(file_name)
  145. elif stack_type == "machine":
  146. global_stack_file_list.append(file_name)
  147. else:
  148. Logger.log("w", "Unknown container stack type '%s' from %s in %s",
  149. stack_type, file_name, project_file_name)
  150. if len(global_stack_file_list) > 1:
  151. Logger.log("e", "More than one global stack file found: [{file_list}]".format(file_list = global_stack_file_list))
  152. #But we can recover by just getting the first global stack file.
  153. if len(global_stack_file_list) == 0:
  154. Logger.log("e", "No global stack file found!")
  155. raise FileNotFoundError("No global stack file found!")
  156. return global_stack_file_list[0], extruder_stack_file_list
  157. def preRead(self, file_name, show_dialog=True, *args, **kwargs):
  158. """Read some info so we can make decisions
  159. :param file_name:
  160. :param show_dialog: In case we use preRead() to check if a file is a valid project file,
  161. we don't want to show a dialog.
  162. """
  163. self._clearState()
  164. self._3mf_mesh_reader = Application.getInstance().getMeshFileHandler().getReaderForFile(file_name)
  165. if self._3mf_mesh_reader and self._3mf_mesh_reader.preRead(file_name) == WorkspaceReader.PreReadResult.accepted:
  166. pass
  167. else:
  168. Logger.log("w", "Could not find reader that was able to read the scene data for 3MF workspace")
  169. return WorkspaceReader.PreReadResult.failed
  170. self._machine_info = MachineInfo()
  171. machine_type = ""
  172. variant_type_name = i18n_catalog.i18nc("@label", "Nozzle")
  173. # Check if there are any conflicts, so we can ask the user.
  174. archive = zipfile.ZipFile(file_name, "r")
  175. cura_file_names = [name for name in archive.namelist() if name.startswith("Cura/")]
  176. resolve_strategy_keys = ["machine", "material", "quality_changes"]
  177. self._resolve_strategies = {k: None for k in resolve_strategy_keys}
  178. containers_found_dict = {k: False for k in resolve_strategy_keys}
  179. #
  180. # Read definition containers
  181. #
  182. machine_definition_id = None
  183. updatable_machines = []
  184. machine_definition_container_count = 0
  185. extruder_definition_container_count = 0
  186. definition_container_files = [name for name in cura_file_names if name.endswith(self._definition_container_suffix)]
  187. for definition_container_file in definition_container_files:
  188. container_id = self._stripFileToId(definition_container_file)
  189. definitions = self._container_registry.findDefinitionContainersMetadata(id = container_id)
  190. serialized = archive.open(definition_container_file).read().decode("utf-8")
  191. if not definitions:
  192. definition_container = DefinitionContainer.deserializeMetadata(serialized, container_id)[0]
  193. else:
  194. definition_container = definitions[0]
  195. definition_container_type = definition_container.get("type")
  196. if definition_container_type == "machine":
  197. machine_definition_id = container_id
  198. machine_definition_containers = self._container_registry.findDefinitionContainers(id = machine_definition_id)
  199. if machine_definition_containers:
  200. updatable_machines = [machine for machine in self._container_registry.findContainerStacks(type = "machine") if machine.definition == machine_definition_containers[0]]
  201. machine_type = definition_container["name"]
  202. variant_type_name = definition_container.get("variants_name", variant_type_name)
  203. machine_definition_container_count += 1
  204. elif definition_container_type == "extruder":
  205. extruder_definition_container_count += 1
  206. else:
  207. Logger.log("w", "Unknown definition container type %s for %s",
  208. definition_container_type, definition_container_file)
  209. QCoreApplication.processEvents() # Ensure that the GUI does not freeze.
  210. Job.yieldThread()
  211. if machine_definition_container_count != 1:
  212. return WorkspaceReader.PreReadResult.failed # Not a workspace file but ordinary 3MF.
  213. material_ids_to_names_map = {}
  214. material_conflict = False
  215. xml_material_profile = self._getXmlProfileClass()
  216. reverse_material_id_dict = {}
  217. if self._material_container_suffix is None:
  218. self._material_container_suffix = ContainerRegistry.getMimeTypeForContainer(xml_material_profile).preferredSuffix
  219. if xml_material_profile:
  220. material_container_files = [name for name in cura_file_names if name.endswith(self._material_container_suffix)]
  221. for material_container_file in material_container_files:
  222. container_id = self._stripFileToId(material_container_file)
  223. serialized = archive.open(material_container_file).read().decode("utf-8")
  224. metadata_list = xml_material_profile.deserializeMetadata(serialized, container_id)
  225. reverse_map = {metadata["id"]: container_id for metadata in metadata_list}
  226. reverse_material_id_dict.update(reverse_map)
  227. material_ids_to_names_map[container_id] = self._getMaterialLabelFromSerialized(serialized)
  228. if self._container_registry.findContainersMetadata(id = container_id): #This material already exists.
  229. containers_found_dict["material"] = True
  230. if not self._container_registry.isReadOnly(container_id): # Only non readonly materials can be in conflict
  231. material_conflict = True
  232. QCoreApplication.processEvents() # Ensure that the GUI does not freeze.
  233. Job.yieldThread()
  234. # Check if any quality_changes instance container is in conflict.
  235. instance_container_files = [name for name in cura_file_names if name.endswith(self._instance_container_suffix)]
  236. quality_name = ""
  237. custom_quality_name = ""
  238. intent_name = ""
  239. intent_category = ""
  240. num_settings_overridden_by_quality_changes = 0 # How many settings are changed by the quality changes
  241. num_user_settings = 0
  242. quality_changes_conflict = False
  243. self._machine_info.quality_changes_info = QualityChangesInfo()
  244. quality_changes_info_list = []
  245. instance_container_info_dict = {} # id -> parser
  246. for instance_container_file_name in instance_container_files:
  247. container_id = self._stripFileToId(instance_container_file_name)
  248. serialized = archive.open(instance_container_file_name).read().decode("utf-8")
  249. # Qualities and variants don't have upgrades, so don't upgrade them
  250. parser = ConfigParser(interpolation = None, comment_prefixes = ())
  251. parser.read_string(serialized)
  252. container_type = parser["metadata"]["type"]
  253. if container_type not in ("quality", "variant"):
  254. serialized = InstanceContainer._updateSerialized(serialized, instance_container_file_name)
  255. parser = ConfigParser(interpolation = None, comment_prefixes = ())
  256. parser.read_string(serialized)
  257. container_info = ContainerInfo(instance_container_file_name, serialized, parser)
  258. instance_container_info_dict[container_id] = container_info
  259. container_type = parser["metadata"]["type"]
  260. if container_type == "quality_changes":
  261. quality_changes_info_list.append(container_info)
  262. if not parser.has_option("metadata", "position"):
  263. self._machine_info.quality_changes_info.name = parser["general"]["name"]
  264. self._machine_info.quality_changes_info.global_info = container_info
  265. else:
  266. position = parser["metadata"]["position"]
  267. self._machine_info.quality_changes_info.extruder_info_dict[position] = container_info
  268. custom_quality_name = parser["general"]["name"]
  269. values = parser["values"] if parser.has_section("values") else dict()
  270. num_settings_overridden_by_quality_changes += len(values)
  271. # Check if quality changes already exists.
  272. quality_changes = self._container_registry.findInstanceContainers(name = custom_quality_name,
  273. type = "quality_changes")
  274. if quality_changes:
  275. containers_found_dict["quality_changes"] = True
  276. # Check if there really is a conflict by comparing the values
  277. instance_container = InstanceContainer(container_id)
  278. try:
  279. instance_container.deserialize(serialized, file_name = instance_container_file_name)
  280. except ContainerFormatError:
  281. Logger.logException("e", "Failed to deserialize InstanceContainer %s from project file %s",
  282. instance_container_file_name, file_name)
  283. return ThreeMFWorkspaceReader.PreReadResult.failed
  284. if quality_changes[0] != instance_container:
  285. quality_changes_conflict = True
  286. elif container_type == "quality":
  287. if not quality_name:
  288. quality_name = parser["general"]["name"]
  289. elif container_type == "intent":
  290. if not intent_name:
  291. intent_name = parser["general"]["name"]
  292. intent_category = parser["metadata"]["intent_category"]
  293. elif container_type == "user":
  294. num_user_settings += len(parser["values"])
  295. elif container_type in self._ignored_instance_container_types:
  296. # Ignore certain instance container types
  297. Logger.log("w", "Ignoring instance container [%s] with type [%s]", container_id, container_type)
  298. continue
  299. QCoreApplication.processEvents() # Ensure that the GUI does not freeze.
  300. Job.yieldThread()
  301. if self._machine_info.quality_changes_info.global_info is None:
  302. self._machine_info.quality_changes_info = None
  303. # Load ContainerStack files and ExtruderStack files
  304. try:
  305. global_stack_file, extruder_stack_files = self._determineGlobalAndExtruderStackFiles(
  306. file_name, cura_file_names)
  307. except FileNotFoundError:
  308. return WorkspaceReader.PreReadResult.failed
  309. machine_conflict = False
  310. # Because there can be cases as follows:
  311. # - the global stack exists but some/all of the extruder stacks DON'T exist
  312. # - the global stack DOESN'T exist but some/all of the extruder stacks exist
  313. # To simplify this, only check if the global stack exists or not
  314. global_stack_id = self._stripFileToId(global_stack_file)
  315. serialized = archive.open(global_stack_file).read().decode("utf-8")
  316. serialized = GlobalStack._updateSerialized(serialized, global_stack_file)
  317. machine_name = self._getMachineNameFromSerializedStack(serialized)
  318. self._machine_info.metadata_dict = self._getMetaDataDictFromSerializedStack(serialized)
  319. # Check if the definition has been changed (this usually happens due to an upgrade)
  320. id_list = self._getContainerIdListFromSerialized(serialized)
  321. if id_list[7] != machine_definition_id:
  322. machine_definition_id = id_list[7]
  323. stacks = self._container_registry.findContainerStacks(name = machine_name, type = "machine")
  324. existing_global_stack = None
  325. global_stack = None
  326. if stacks:
  327. global_stack = stacks[0]
  328. existing_global_stack = global_stack
  329. containers_found_dict["machine"] = True
  330. # Check if there are any changes at all in any of the container stacks.
  331. for index, container_id in enumerate(id_list):
  332. # take into account the old empty container IDs
  333. container_id = self._old_empty_profile_id_dict.get(container_id, container_id)
  334. if global_stack.getContainer(index).getId() != container_id:
  335. machine_conflict = True
  336. break
  337. if updatable_machines and not containers_found_dict["machine"]:
  338. containers_found_dict["machine"] = True
  339. # Get quality type
  340. parser = ConfigParser(interpolation = None)
  341. parser.read_string(serialized)
  342. quality_container_id = parser["containers"][str(_ContainerIndexes.Quality)]
  343. quality_type = "empty_quality"
  344. if quality_container_id not in ("empty", "empty_quality"):
  345. if quality_container_id in instance_container_info_dict:
  346. quality_type = instance_container_info_dict[quality_container_id].parser["metadata"]["quality_type"]
  347. else: # If a version upgrade changed the quality profile in the stack, we'll need to look for it in the built-in profiles instead of the workspace.
  348. quality_matches = ContainerRegistry.getInstance().findContainersMetadata(id = quality_container_id)
  349. if quality_matches: # If there's no profile with this ID, leave it empty_quality.
  350. quality_type = quality_matches[0]["quality_type"]
  351. # Get machine info
  352. serialized = archive.open(global_stack_file).read().decode("utf-8")
  353. serialized = GlobalStack._updateSerialized(serialized, global_stack_file)
  354. parser = ConfigParser(interpolation = None)
  355. parser.read_string(serialized)
  356. definition_changes_id = parser["containers"][str(_ContainerIndexes.DefinitionChanges)]
  357. if definition_changes_id not in ("empty", "empty_definition_changes"):
  358. self._machine_info.definition_changes_info = instance_container_info_dict[definition_changes_id]
  359. user_changes_id = parser["containers"][str(_ContainerIndexes.UserChanges)]
  360. if user_changes_id not in ("empty", "empty_user_changes"):
  361. self._machine_info.user_changes_info = instance_container_info_dict[user_changes_id]
  362. # Also check variant and material in case it doesn't have extruder stacks
  363. if not extruder_stack_files:
  364. position = "0"
  365. extruder_info = ExtruderInfo()
  366. extruder_info.position = position
  367. variant_id = parser["containers"][str(_ContainerIndexes.Variant)]
  368. material_id = parser["containers"][str(_ContainerIndexes.Material)]
  369. if variant_id not in ("empty", "empty_variant"):
  370. extruder_info.variant_info = instance_container_info_dict[variant_id]
  371. if material_id not in ("empty", "empty_material"):
  372. root_material_id = reverse_material_id_dict[material_id]
  373. extruder_info.root_material_id = root_material_id
  374. self._machine_info.extruder_info_dict[position] = extruder_info
  375. else:
  376. variant_id = parser["containers"][str(_ContainerIndexes.Variant)]
  377. if variant_id not in ("empty", "empty_variant"):
  378. self._machine_info.variant_info = instance_container_info_dict[variant_id]
  379. QCoreApplication.processEvents() # Ensure that the GUI does not freeze.
  380. Job.yieldThread()
  381. materials_in_extruders_dict = {} # Which material is in which extruder
  382. # if the global stack is found, we check if there are conflicts in the extruder stacks
  383. for extruder_stack_file in extruder_stack_files:
  384. serialized = archive.open(extruder_stack_file).read().decode("utf-8")
  385. serialized = ExtruderStack._updateSerialized(serialized, extruder_stack_file)
  386. parser = ConfigParser(interpolation = None)
  387. parser.read_string(serialized)
  388. # The check should be done for the extruder stack that's associated with the existing global stack,
  389. # and those extruder stacks may have different IDs.
  390. # So we check according to the positions
  391. position = parser["metadata"]["position"]
  392. variant_id = parser["containers"][str(_ContainerIndexes.Variant)]
  393. material_id = parser["containers"][str(_ContainerIndexes.Material)]
  394. extruder_info = ExtruderInfo()
  395. extruder_info.position = position
  396. if parser.has_option("metadata", "enabled"):
  397. extruder_info.enabled = parser["metadata"]["enabled"]
  398. if variant_id not in ("empty", "empty_variant"):
  399. if variant_id in instance_container_info_dict:
  400. extruder_info.variant_info = instance_container_info_dict[variant_id]
  401. if material_id not in ("empty", "empty_material"):
  402. root_material_id = reverse_material_id_dict[material_id]
  403. extruder_info.root_material_id = root_material_id
  404. materials_in_extruders_dict[position] = material_ids_to_names_map[reverse_material_id_dict[material_id]]
  405. definition_changes_id = parser["containers"][str(_ContainerIndexes.DefinitionChanges)]
  406. if definition_changes_id not in ("empty", "empty_definition_changes"):
  407. extruder_info.definition_changes_info = instance_container_info_dict[definition_changes_id]
  408. user_changes_id = parser["containers"][str(_ContainerIndexes.UserChanges)]
  409. if user_changes_id not in ("empty", "empty_user_changes"):
  410. extruder_info.user_changes_info = instance_container_info_dict[user_changes_id]
  411. self._machine_info.extruder_info_dict[position] = extruder_info
  412. intent_id = parser["containers"][str(_ContainerIndexes.Intent)]
  413. if intent_id not in ("empty", "empty_intent"):
  414. extruder_info.intent_info = instance_container_info_dict[intent_id]
  415. if not machine_conflict and containers_found_dict["machine"] and global_stack:
  416. if int(position) >= len(global_stack.extruderList):
  417. continue
  418. existing_extruder_stack = global_stack.extruderList[int(position)]
  419. # check if there are any changes at all in any of the container stacks.
  420. id_list = self._getContainerIdListFromSerialized(serialized)
  421. for index, container_id in enumerate(id_list):
  422. # take into account the old empty container IDs
  423. container_id = self._old_empty_profile_id_dict.get(container_id, container_id)
  424. if existing_extruder_stack.getContainer(index).getId() != container_id:
  425. machine_conflict = True
  426. break
  427. # Now we know which material is in which extruder. Let's use that to sort the material_labels according to
  428. # their extruder position
  429. material_labels = [material_name for pos, material_name in sorted(materials_in_extruders_dict.items())]
  430. machine_extruder_count = self._getMachineExtruderCount()
  431. if machine_extruder_count:
  432. material_labels = material_labels[:machine_extruder_count]
  433. num_visible_settings = 0
  434. try:
  435. temp_preferences = Preferences()
  436. serialized = archive.open("Cura/preferences.cfg").read().decode("utf-8")
  437. temp_preferences.deserialize(serialized)
  438. visible_settings_string = temp_preferences.getValue("general/visible_settings")
  439. has_visible_settings_string = visible_settings_string is not None
  440. if visible_settings_string is not None:
  441. num_visible_settings = len(visible_settings_string.split(";"))
  442. active_mode = temp_preferences.getValue("cura/active_mode")
  443. if not active_mode:
  444. active_mode = Application.getInstance().getPreferences().getValue("cura/active_mode")
  445. except KeyError:
  446. # If there is no preferences file, it's not a workspace, so notify user of failure.
  447. Logger.log("w", "File %s is not a valid workspace.", file_name)
  448. return WorkspaceReader.PreReadResult.failed
  449. # Check if the machine definition exists. If not, indicate failure because we do not import definition files.
  450. def_results = self._container_registry.findDefinitionContainersMetadata(id = machine_definition_id)
  451. if not def_results:
  452. message = Message(i18n_catalog.i18nc("@info:status Don't translate the XML tags <filename> or <message>!",
  453. "Project file <filename>{0}</filename> contains an unknown machine type"
  454. " <message>{1}</message>. Cannot import the machine."
  455. " Models will be imported instead.", file_name, machine_definition_id),
  456. title = i18n_catalog.i18nc("@info:title", "Open Project File"),
  457. message_type = Message.MessageType.WARNING)
  458. message.show()
  459. Logger.log("i", "Could unknown machine definition %s in project file %s, cannot import it.",
  460. self._machine_info.definition_id, file_name)
  461. return WorkspaceReader.PreReadResult.failed
  462. # In case we use preRead() to check if a file is a valid project file, we don't want to show a dialog.
  463. if not show_dialog:
  464. return WorkspaceReader.PreReadResult.accepted
  465. # prepare data for the dialog
  466. num_extruders = extruder_definition_container_count
  467. if num_extruders == 0:
  468. num_extruders = 1 # No extruder stacks found, which means there is one extruder
  469. extruders = num_extruders * [""]
  470. quality_name = custom_quality_name if custom_quality_name else quality_name
  471. self._machine_info.container_id = global_stack_id
  472. self._machine_info.name = machine_name
  473. self._machine_info.definition_id = machine_definition_id
  474. self._machine_info.quality_type = quality_type
  475. self._machine_info.custom_quality_name = quality_name
  476. self._machine_info.intent_category = intent_category
  477. is_printer_group = False
  478. if machine_conflict:
  479. group_name = existing_global_stack.getMetaDataEntry("group_name")
  480. if group_name is not None:
  481. is_printer_group = True
  482. machine_name = group_name
  483. # Getting missing required package ids
  484. package_metadata = self._parse_packages_metadata(archive)
  485. missing_package_metadata = self._filter_missing_package_metadata(package_metadata)
  486. # Show the dialog, informing the user what is about to happen.
  487. self._dialog.setMachineConflict(machine_conflict)
  488. self._dialog.setIsPrinterGroup(is_printer_group)
  489. self._dialog.setQualityChangesConflict(quality_changes_conflict)
  490. self._dialog.setMaterialConflict(material_conflict)
  491. self._dialog.setHasVisibleSettingsField(has_visible_settings_string)
  492. self._dialog.setNumVisibleSettings(num_visible_settings)
  493. self._dialog.setQualityName(quality_name)
  494. self._dialog.setQualityType(quality_type)
  495. self._dialog.setIntentName(intent_name)
  496. self._dialog.setNumSettingsOverriddenByQualityChanges(num_settings_overridden_by_quality_changes)
  497. self._dialog.setNumUserSettings(num_user_settings)
  498. self._dialog.setActiveMode(active_mode)
  499. self._dialog.setUpdatableMachines(updatable_machines)
  500. self._dialog.setMaterialLabels(material_labels)
  501. self._dialog.setMachineType(machine_type)
  502. self._dialog.setExtruders(extruders)
  503. self._dialog.setVariantType(variant_type_name)
  504. self._dialog.setHasObjectsOnPlate(Application.getInstance().platformActivity)
  505. self._dialog.setMissingPackagesMetadata(missing_package_metadata)
  506. self._dialog.show()
  507. # Choosing the initially selected printer in MachineSelector
  508. is_networked_machine = False
  509. is_abstract_machine = False
  510. if global_stack and isinstance(global_stack, GlobalStack):
  511. # The machine included in the project file exists locally already, no need to change selected printers.
  512. is_networked_machine = global_stack.hasNetworkedConnection()
  513. is_abstract_machine = parseBool(existing_global_stack.getMetaDataEntry("is_abstract_machine", False))
  514. self._dialog.setMachineToOverride(global_stack.getId())
  515. self._dialog.setResolveStrategy("machine", "override")
  516. elif self._dialog.updatableMachinesModel.count > 0:
  517. # The machine included in the project file does not exist. There is another machine of the same type.
  518. # This will always default to an abstract machine first.
  519. machine = self._dialog.updatableMachinesModel.getItem(0)
  520. machine_name = machine["name"]
  521. is_networked_machine = machine["isNetworked"]
  522. is_abstract_machine = machine["isAbstractMachine"]
  523. self._dialog.setMachineToOverride(machine["id"])
  524. self._dialog.setResolveStrategy("machine", "override")
  525. else:
  526. # The machine included in the project file does not exist. There are no other printers of the same type. Default to "Create New".
  527. machine_name = i18n_catalog.i18nc("@button", "Create new")
  528. is_networked_machine = False
  529. is_abstract_machine = False
  530. self._dialog.setMachineToOverride(None)
  531. self._dialog.setResolveStrategy("machine", "new")
  532. self._dialog.setIsNetworkedMachine(is_networked_machine)
  533. self._dialog.setIsAbstractMachine(is_abstract_machine)
  534. self._dialog.setMachineName(machine_name)
  535. # Block until the dialog is closed.
  536. self._dialog.waitForClose()
  537. if self._dialog.getResult() == {}:
  538. return WorkspaceReader.PreReadResult.cancelled
  539. self._resolve_strategies = self._dialog.getResult()
  540. #
  541. # There can be 3 resolve strategies coming from the dialog:
  542. # - new: create a new container
  543. # - override: override the existing container
  544. # - None: There is no conflict, which means containers with the same IDs may or may not be there already.
  545. # If there is an existing container, there is no conflict between them, and default to "override"
  546. # If there is no existing container, default to "new"
  547. #
  548. # Default values
  549. for key, strategy in self._resolve_strategies.items():
  550. if key not in containers_found_dict or strategy is not None:
  551. continue
  552. self._resolve_strategies[key] = "override" if containers_found_dict[key] else "new"
  553. return WorkspaceReader.PreReadResult.accepted
  554. @call_on_qt_thread
  555. def read(self, file_name):
  556. """Read the project file
  557. Add all the definitions / materials / quality changes that do not exist yet. Then it loads
  558. all the stacks into the container registry. In some cases it will reuse the container for the global stack.
  559. It handles old style project files containing .stack.cfg as well as new style project files
  560. containing global.cfg / extruder.cfg
  561. :param file_name:
  562. """
  563. application = CuraApplication.getInstance()
  564. try:
  565. archive = zipfile.ZipFile(file_name, "r")
  566. except EnvironmentError as e:
  567. message = Message(i18n_catalog.i18nc("@info:error Don't translate the XML tags <filename> or <message>!",
  568. "Project file <filename>{0}</filename> is suddenly inaccessible: <message>{1}</message>.", file_name, str(e)),
  569. title = i18n_catalog.i18nc("@info:title", "Can't Open Project File"),
  570. message_type = Message.MessageType.ERROR)
  571. message.show()
  572. self.setWorkspaceName("")
  573. return [], {}
  574. except zipfile.BadZipFile as e:
  575. message = Message(i18n_catalog.i18nc("@info:error Don't translate the XML tags <filename> or <message>!",
  576. "Project file <filename>{0}</filename> is corrupt: <message>{1}</message>.", file_name, str(e)),
  577. title = i18n_catalog.i18nc("@info:title", "Can't Open Project File"),
  578. message_type = Message.MessageType.ERROR)
  579. message.show()
  580. self.setWorkspaceName("")
  581. return [], {}
  582. cura_file_names = [name for name in archive.namelist() if name.startswith("Cura/")]
  583. # Create a shadow copy of the preferences (We don't want all of the preferences, but we do want to re-use its
  584. # parsing code.
  585. temp_preferences = Preferences()
  586. try:
  587. serialized = archive.open("Cura/preferences.cfg").read().decode("utf-8")
  588. except KeyError as e:
  589. # If there is no preferences file, it's not a workspace, so notify user of failure.
  590. Logger.log("w", "File %s is not a valid workspace.", file_name)
  591. message = Message(i18n_catalog.i18nc("@info:error Don't translate the XML tags <filename> or <message>!",
  592. "Project file <filename>{0}</filename> is corrupt: <message>{1}</message>.",
  593. file_name, str(e)),
  594. title=i18n_catalog.i18nc("@info:title", "Can't Open Project File"),
  595. message_type=Message.MessageType.ERROR)
  596. message.show()
  597. self.setWorkspaceName("")
  598. return [], {}
  599. temp_preferences.deserialize(serialized)
  600. # Copy a number of settings from the temp preferences to the global
  601. global_preferences = application.getInstance().getPreferences()
  602. visible_settings = temp_preferences.getValue("general/visible_settings")
  603. if visible_settings is None:
  604. Logger.log("w", "Workspace did not contain visible settings. Leaving visibility unchanged")
  605. else:
  606. global_preferences.setValue("general/visible_settings", visible_settings)
  607. global_preferences.setValue("cura/active_setting_visibility_preset", "custom")
  608. categories_expanded = temp_preferences.getValue("cura/categories_expanded")
  609. if categories_expanded is None:
  610. Logger.log("w", "Workspace did not contain expanded categories. Leaving them unchanged")
  611. else:
  612. global_preferences.setValue("cura/categories_expanded", categories_expanded)
  613. application.expandedCategoriesChanged.emit() # Notify the GUI of the change
  614. # If there are no machines of the same type, create a new machine.
  615. if self._resolve_strategies["machine"] != "override" or self._dialog.updatableMachinesModel.count == 0:
  616. # We need to create a new machine
  617. machine_name = self._container_registry.uniqueName(self._machine_info.name)
  618. # Printers with modifiable number of extruders (such as CFFF) will specify a machine_extruder_count in their
  619. # quality_changes file. If that's the case, take the extruder count into account when creating the machine
  620. # or else the extruderList will return only the first extruder, leading to missing non-global settings in
  621. # the other extruders.
  622. machine_extruder_count = self._getMachineExtruderCount() # type: Optional[int]
  623. global_stack = CuraStackBuilder.createMachine(machine_name, self._machine_info.definition_id, machine_extruder_count)
  624. if global_stack: # Only switch if creating the machine was successful.
  625. extruder_stack_dict = {str(position): extruder for position, extruder in enumerate(global_stack.extruderList)}
  626. self._container_registry.addContainer(global_stack)
  627. else:
  628. # Find the machine which will be overridden
  629. global_stacks = self._container_registry.findContainerStacks(id = self._dialog.getMachineToOverride(), type = "machine")
  630. if not global_stacks:
  631. message = Message(i18n_catalog.i18nc("@info:error Don't translate the XML tag <filename>!",
  632. "Project file <filename>{0}</filename> is made using profiles that"
  633. " are unknown to this version of Ultimaker Cura.", file_name),
  634. message_type = Message.MessageType.ERROR)
  635. message.show()
  636. self.setWorkspaceName("")
  637. return [], {}
  638. global_stack = global_stacks[0]
  639. extruder_stacks = self._container_registry.findContainerStacks(machine = global_stack.getId(),
  640. type = "extruder_train")
  641. extruder_stack_dict = {stack.getMetaDataEntry("position"): stack for stack in extruder_stacks}
  642. # Make sure that those extruders have the global stack as the next stack or later some value evaluation
  643. # will fail.
  644. for stack in extruder_stacks:
  645. stack.setNextStack(global_stack, connect_signals = False)
  646. Logger.log("d", "Workspace loading is checking definitions...")
  647. # Get all the definition files & check if they exist. If not, add them.
  648. definition_container_files = [name for name in cura_file_names if name.endswith(self._definition_container_suffix)]
  649. for definition_container_file in definition_container_files:
  650. container_id = self._stripFileToId(definition_container_file)
  651. definitions = self._container_registry.findDefinitionContainersMetadata(id = container_id)
  652. if not definitions:
  653. definition_container = DefinitionContainer(container_id)
  654. try:
  655. definition_container.deserialize(archive.open(definition_container_file).read().decode("utf-8"),
  656. file_name = definition_container_file)
  657. except ContainerFormatError:
  658. # We cannot just skip the definition file because everything else later will just break if the
  659. # machine definition cannot be found.
  660. Logger.logException("e", "Failed to deserialize definition file %s in project file %s",
  661. definition_container_file, file_name)
  662. definition_container = self._container_registry.findDefinitionContainers(id = "fdmprinter")[0] #Fall back to defaults.
  663. self._container_registry.addContainer(definition_container)
  664. Job.yieldThread()
  665. QCoreApplication.processEvents() # Ensure that the GUI does not freeze.
  666. Logger.log("d", "Workspace loading is checking materials...")
  667. # Get all the material files and check if they exist. If not, add them.
  668. xml_material_profile = self._getXmlProfileClass()
  669. if self._material_container_suffix is None:
  670. self._material_container_suffix = ContainerRegistry.getMimeTypeForContainer(xml_material_profile).suffixes[0]
  671. if xml_material_profile:
  672. material_container_files = [name for name in cura_file_names if name.endswith(self._material_container_suffix)]
  673. for material_container_file in material_container_files:
  674. to_deserialize_material = False
  675. container_id = self._stripFileToId(material_container_file)
  676. need_new_name = False
  677. materials = self._container_registry.findInstanceContainers(id = container_id)
  678. if not materials:
  679. # No material found, deserialize this material later and add it
  680. to_deserialize_material = True
  681. else:
  682. material_container = materials[0]
  683. old_material_root_id = material_container.getMetaDataEntry("base_file")
  684. if old_material_root_id is not None and not self._container_registry.isReadOnly(old_material_root_id): # Only create new materials if they are not read only.
  685. to_deserialize_material = True
  686. if self._resolve_strategies["material"] == "override":
  687. # Remove the old materials and then deserialize the one from the project
  688. root_material_id = material_container.getMetaDataEntry("base_file")
  689. application.getContainerRegistry().removeContainer(root_material_id)
  690. elif self._resolve_strategies["material"] == "new":
  691. # Note that we *must* deserialize it with a new ID, as multiple containers will be
  692. # auto created & added.
  693. container_id = self.getNewId(container_id)
  694. self._old_new_materials[old_material_root_id] = container_id
  695. need_new_name = True
  696. if to_deserialize_material:
  697. material_container = xml_material_profile(container_id)
  698. try:
  699. material_container.deserialize(archive.open(material_container_file).read().decode("utf-8"),
  700. file_name = container_id + "." + self._material_container_suffix)
  701. except ContainerFormatError:
  702. Logger.logException("e", "Failed to deserialize material file %s in project file %s",
  703. material_container_file, file_name)
  704. continue
  705. if need_new_name:
  706. new_name = ContainerRegistry.getInstance().uniqueName(material_container.getName())
  707. material_container.setName(new_name)
  708. material_container.setDirty(True)
  709. self._container_registry.addContainer(material_container)
  710. Job.yieldThread()
  711. QCoreApplication.processEvents() # Ensure that the GUI does not freeze.
  712. if global_stack:
  713. # Handle quality changes if any
  714. self._processQualityChanges(global_stack)
  715. # Prepare the machine
  716. self._applyChangesToMachine(global_stack, extruder_stack_dict)
  717. Logger.log("d", "Workspace loading is notifying rest of the code of changes...")
  718. # Actually change the active machine.
  719. #
  720. # This is scheduled for later is because it depends on the Variant/Material/Qualitiy Managers to have the latest
  721. # data, but those managers will only update upon a container/container metadata changed signal. Because this
  722. # function is running on the main thread (Qt thread), although those "changed" signals have been emitted, but
  723. # they won't take effect until this function is done.
  724. # To solve this, we schedule _updateActiveMachine() for later so it will have the latest data.
  725. self._updateActiveMachine(global_stack)
  726. # Load all the nodes / mesh data of the workspace
  727. nodes = self._3mf_mesh_reader.read(file_name)
  728. if nodes is None:
  729. nodes = []
  730. base_file_name = os.path.basename(file_name)
  731. self.setWorkspaceName(base_file_name)
  732. return nodes, self._loadMetadata(file_name)
  733. @staticmethod
  734. def _loadMetadata(file_name: str) -> Dict[str, Dict[str, Any]]:
  735. result = dict() # type: Dict[str, Dict[str, Any]]
  736. try:
  737. archive = zipfile.ZipFile(file_name, "r")
  738. except zipfile.BadZipFile:
  739. Logger.logException("w", "Unable to retrieve metadata from {fname}: 3MF archive is corrupt.".format(fname = file_name))
  740. return result
  741. except EnvironmentError as e:
  742. Logger.logException("w", "Unable to retrieve metadata from {fname}: File is inaccessible. Error: {err}".format(fname = file_name, err = str(e)))
  743. return result
  744. metadata_files = [name for name in archive.namelist() if name.endswith("plugin_metadata.json")]
  745. for metadata_file in metadata_files:
  746. try:
  747. plugin_id = metadata_file.split("/")[0]
  748. result[plugin_id] = json.loads(archive.open("%s/plugin_metadata.json" % plugin_id).read().decode("utf-8"))
  749. except Exception:
  750. Logger.logException("w", "Unable to retrieve metadata for %s", metadata_file)
  751. return result
  752. def _processQualityChanges(self, global_stack):
  753. if self._machine_info.quality_changes_info is None:
  754. return
  755. # If we have custom profiles, load them
  756. quality_changes_name = self._machine_info.quality_changes_info.name
  757. if self._machine_info.quality_changes_info is not None:
  758. Logger.log("i", "Loading custom profile [%s] from project file",
  759. self._machine_info.quality_changes_info.name)
  760. # Get the correct extruder definition IDs for quality changes
  761. machine_definition_id_for_quality = ContainerTree.getInstance().machines[global_stack.definition.getId()].quality_definition
  762. machine_definition_for_quality = self._container_registry.findDefinitionContainers(id = machine_definition_id_for_quality)[0]
  763. quality_changes_info = self._machine_info.quality_changes_info
  764. quality_changes_quality_type = quality_changes_info.global_info.parser["metadata"]["quality_type"]
  765. # quality changes container may not be present for every extruder. Prepopulate the dict with default values.
  766. quality_changes_intent_category_per_extruder = {position: "default" for position in self._machine_info.extruder_info_dict}
  767. for position, info in quality_changes_info.extruder_info_dict.items():
  768. quality_changes_intent_category_per_extruder[position] = info.parser["metadata"].get("intent_category", "default")
  769. quality_changes_name = quality_changes_info.name
  770. create_new = self._resolve_strategies.get("quality_changes") != "override"
  771. if create_new:
  772. container_info_dict = {None: self._machine_info.quality_changes_info.global_info}
  773. container_info_dict.update(quality_changes_info.extruder_info_dict)
  774. quality_changes_name = self._container_registry.uniqueName(quality_changes_name)
  775. for position, container_info in container_info_dict.items():
  776. extruder_stack = None
  777. intent_category = None # type: Optional[str]
  778. if position is not None:
  779. try:
  780. extruder_stack = global_stack.extruderList[int(position)]
  781. except IndexError:
  782. continue
  783. intent_category = quality_changes_intent_category_per_extruder[position]
  784. container = self._createNewQualityChanges(quality_changes_quality_type, intent_category, quality_changes_name, global_stack, extruder_stack)
  785. container_info.container = container
  786. self._container_registry.addContainer(container)
  787. Logger.log("d", "Created new quality changes container [%s]", container.getId())
  788. else:
  789. # Find the existing containers
  790. quality_changes_containers = self._container_registry.findInstanceContainers(name = quality_changes_name,
  791. type = "quality_changes")
  792. for container in quality_changes_containers:
  793. extruder_position = container.getMetaDataEntry("position")
  794. if extruder_position is None:
  795. quality_changes_info.global_info.container = container
  796. else:
  797. if extruder_position not in quality_changes_info.extruder_info_dict:
  798. quality_changes_info.extruder_info_dict[extruder_position] = ContainerInfo(None, None, None)
  799. container_info = quality_changes_info.extruder_info_dict[extruder_position]
  800. container_info.container = container
  801. # If there is no quality changes for any extruder, create one.
  802. if not quality_changes_info.extruder_info_dict:
  803. container_info = ContainerInfo(None, None, None)
  804. quality_changes_info.extruder_info_dict["0"] = container_info
  805. # If the global stack we're "targeting" has never been active, but was updated from Cura 3.4,
  806. # it might not have its extruders set properly.
  807. if len(global_stack.extruderList) == 0:
  808. ExtruderManager.getInstance().fixSingleExtrusionMachineExtruderDefinition(global_stack)
  809. try:
  810. extruder_stack = global_stack.extruderList[0]
  811. except IndexError:
  812. extruder_stack = None
  813. intent_category = quality_changes_intent_category_per_extruder["0"]
  814. container = self._createNewQualityChanges(quality_changes_quality_type, intent_category, quality_changes_name, global_stack, extruder_stack)
  815. container_info.container = container
  816. self._container_registry.addContainer(container)
  817. Logger.log("d", "Created new quality changes container [%s]", container.getId())
  818. # Clear all existing containers
  819. quality_changes_info.global_info.container.clear()
  820. for container_info in quality_changes_info.extruder_info_dict.values():
  821. if container_info.container:
  822. container_info.container.clear()
  823. # Loop over everything and override the existing containers
  824. global_info = quality_changes_info.global_info
  825. global_info.container.clear() # Clear all
  826. for key, value in global_info.parser["values"].items():
  827. if not machine_definition_for_quality.getProperty(key, "settable_per_extruder"):
  828. global_info.container.setProperty(key, "value", value)
  829. else:
  830. quality_changes_info.extruder_info_dict["0"].container.setProperty(key, "value", value)
  831. for position, container_info in quality_changes_info.extruder_info_dict.items():
  832. if container_info.parser is None:
  833. continue
  834. if container_info.container is None:
  835. try:
  836. extruder_stack = global_stack.extruderList[int(position)]
  837. except IndexError:
  838. continue
  839. intent_category = quality_changes_intent_category_per_extruder[position]
  840. container = self._createNewQualityChanges(quality_changes_quality_type, intent_category, quality_changes_name, global_stack, extruder_stack)
  841. container_info.container = container
  842. self._container_registry.addContainer(container)
  843. for key, value in container_info.parser["values"].items():
  844. container_info.container.setProperty(key, "value", value)
  845. self._machine_info.quality_changes_info.name = quality_changes_name
  846. def _getMachineExtruderCount(self) -> Optional[int]:
  847. """
  848. Extracts the machine extruder count from the definition_changes file of the printer. If it is not specified in
  849. the file, None is returned instead.
  850. :return: The count of the machine's extruders
  851. """
  852. machine_extruder_count = None
  853. if self._machine_info \
  854. and self._machine_info.definition_changes_info \
  855. and "values" in self._machine_info.definition_changes_info.parser \
  856. and "machine_extruder_count" in self._machine_info.definition_changes_info.parser["values"]:
  857. try:
  858. # Theoretically, if the machine_extruder_count is a setting formula (e.g. "=3"), this will produce a
  859. # value error and the project file loading will load the settings in the first extruder only.
  860. # This is not expected to happen though, since all machine definitions define the machine_extruder_count
  861. # as an integer.
  862. machine_extruder_count = int(self._machine_info.definition_changes_info.parser["values"]["machine_extruder_count"])
  863. except ValueError:
  864. Logger.log("w", "'machine_extruder_count' in file '{file_name}' is not a number."
  865. .format(file_name = self._machine_info.definition_changes_info.file_name))
  866. return machine_extruder_count
  867. def _createNewQualityChanges(self, quality_type: str, intent_category: Optional[str], name: str, global_stack: GlobalStack, extruder_stack: Optional[ExtruderStack]) -> InstanceContainer:
  868. """Helper class to create a new quality changes profile.
  869. This will then later be filled with the appropriate data.
  870. :param quality_type: The quality type of the new profile.
  871. :param intent_category: The intent category of the new profile.
  872. :param name: The name for the profile. This will later be made unique so
  873. it doesn't need to be unique yet.
  874. :param global_stack: The global stack showing the configuration that the
  875. profile should be created for.
  876. :param extruder_stack: The extruder stack showing the configuration that
  877. the profile should be created for. If this is None, it will be created
  878. for the global stack.
  879. """
  880. container_registry = CuraApplication.getInstance().getContainerRegistry()
  881. base_id = global_stack.definition.getId() if extruder_stack is None else extruder_stack.getId()
  882. new_id = base_id + "_" + name
  883. new_id = new_id.lower().replace(" ", "_")
  884. new_id = container_registry.uniqueName(new_id)
  885. # Create a new quality_changes container for the quality.
  886. quality_changes = InstanceContainer(new_id)
  887. quality_changes.setName(name)
  888. quality_changes.setMetaDataEntry("type", "quality_changes")
  889. quality_changes.setMetaDataEntry("quality_type", quality_type)
  890. if intent_category is not None:
  891. quality_changes.setMetaDataEntry("intent_category", intent_category)
  892. # If we are creating a container for an extruder, ensure we add that to the container.
  893. if extruder_stack is not None:
  894. quality_changes.setMetaDataEntry("position", extruder_stack.getMetaDataEntry("position"))
  895. # If the machine specifies qualities should be filtered, ensure we match the current criteria.
  896. machine_definition_id = ContainerTree.getInstance().machines[global_stack.definition.getId()].quality_definition
  897. quality_changes.setDefinition(machine_definition_id)
  898. quality_changes.setMetaDataEntry("setting_version", CuraApplication.getInstance().SettingVersion)
  899. quality_changes.setDirty(True)
  900. return quality_changes
  901. @staticmethod
  902. def _clearStack(stack):
  903. application = CuraApplication.getInstance()
  904. stack.definitionChanges.clear()
  905. stack.variant = application.empty_variant_container
  906. stack.material = application.empty_material_container
  907. stack.quality = application.empty_quality_container
  908. stack.qualityChanges = application.empty_quality_changes_container
  909. stack.userChanges.clear()
  910. def _applyDefinitionChanges(self, global_stack, extruder_stack_dict):
  911. values_to_set_for_extruders = {}
  912. if self._machine_info.definition_changes_info is not None:
  913. parser = self._machine_info.definition_changes_info.parser
  914. for key, value in parser["values"].items():
  915. if global_stack.getProperty(key, "settable_per_extruder"):
  916. values_to_set_for_extruders[key] = value
  917. else:
  918. global_stack.definitionChanges.setProperty(key, "value", value)
  919. for position, extruder_stack in extruder_stack_dict.items():
  920. if position not in self._machine_info.extruder_info_dict:
  921. continue
  922. extruder_info = self._machine_info.extruder_info_dict[position]
  923. if extruder_info.definition_changes_info is None:
  924. continue
  925. parser = extruder_info.definition_changes_info.parser
  926. for key, value in values_to_set_for_extruders.items():
  927. extruder_stack.definitionChanges.setProperty(key, "value", value)
  928. if parser is not None:
  929. for key, value in parser["values"].items():
  930. extruder_stack.definitionChanges.setProperty(key, "value", value)
  931. def _applyUserChanges(self, global_stack, extruder_stack_dict):
  932. values_to_set_for_extruder_0 = {}
  933. if self._machine_info.user_changes_info is not None:
  934. parser = self._machine_info.user_changes_info.parser
  935. for key, value in parser["values"].items():
  936. if global_stack.getProperty(key, "settable_per_extruder"):
  937. values_to_set_for_extruder_0[key] = value
  938. else:
  939. global_stack.userChanges.setProperty(key, "value", value)
  940. for position, extruder_stack in extruder_stack_dict.items():
  941. if position not in self._machine_info.extruder_info_dict:
  942. continue
  943. extruder_info = self._machine_info.extruder_info_dict[position]
  944. if extruder_info.user_changes_info is not None:
  945. parser = self._machine_info.extruder_info_dict[position].user_changes_info.parser
  946. if position == "0":
  947. for key, value in values_to_set_for_extruder_0.items():
  948. extruder_stack.userChanges.setProperty(key, "value", value)
  949. if parser is not None:
  950. for key, value in parser["values"].items():
  951. extruder_stack.userChanges.setProperty(key, "value", value)
  952. def _applyVariants(self, global_stack, extruder_stack_dict):
  953. machine_node = ContainerTree.getInstance().machines[global_stack.definition.getId()]
  954. # Take the global variant from the machine info if available.
  955. if self._machine_info.variant_info is not None:
  956. variant_name = self._machine_info.variant_info.parser["general"]["name"]
  957. if variant_name in machine_node.variants:
  958. global_stack.variant = machine_node.variants[variant_name].container
  959. else:
  960. Logger.log("w", "Could not find global variant '{0}'.".format(variant_name))
  961. for position, extruder_stack in extruder_stack_dict.items():
  962. if position not in self._machine_info.extruder_info_dict:
  963. continue
  964. extruder_info = self._machine_info.extruder_info_dict[position]
  965. if extruder_info.variant_info is None:
  966. # If there is no variant_info, try to use the default variant. Otherwise, any available variant.
  967. node = machine_node.variants.get(machine_node.preferred_variant_name, next(iter(machine_node.variants.values())))
  968. else:
  969. variant_name = extruder_info.variant_info.parser["general"]["name"]
  970. node = ContainerTree.getInstance().machines[global_stack.definition.getId()].variants[variant_name]
  971. extruder_stack.variant = node.container
  972. def _applyMaterials(self, global_stack, extruder_stack_dict):
  973. machine_node = ContainerTree.getInstance().machines[global_stack.definition.getId()]
  974. for position, extruder_stack in extruder_stack_dict.items():
  975. if position not in self._machine_info.extruder_info_dict:
  976. continue
  977. extruder_info = self._machine_info.extruder_info_dict[position]
  978. if extruder_info.root_material_id is None:
  979. continue
  980. root_material_id = extruder_info.root_material_id
  981. root_material_id = self._old_new_materials.get(root_material_id, root_material_id)
  982. material_node = machine_node.variants[extruder_stack.variant.getName()].materials[root_material_id]
  983. extruder_stack.material = material_node.container # type: InstanceContainer
  984. def _applyChangesToMachine(self, global_stack, extruder_stack_dict):
  985. # Clear all first
  986. self._clearStack(global_stack)
  987. for extruder_stack in extruder_stack_dict.values():
  988. self._clearStack(extruder_stack)
  989. self._applyDefinitionChanges(global_stack, extruder_stack_dict)
  990. self._applyUserChanges(global_stack, extruder_stack_dict)
  991. self._applyVariants(global_stack, extruder_stack_dict)
  992. self._applyMaterials(global_stack, extruder_stack_dict)
  993. # prepare the quality to select
  994. self._quality_changes_to_apply = None
  995. self._quality_type_to_apply = None
  996. self._intent_category_to_apply = None
  997. if self._machine_info.quality_changes_info is not None:
  998. self._quality_changes_to_apply = self._machine_info.quality_changes_info.name
  999. else:
  1000. self._quality_type_to_apply = self._machine_info.quality_type
  1001. self._intent_category_to_apply = self._machine_info.intent_category
  1002. # Set enabled/disabled for extruders
  1003. for position, extruder_stack in extruder_stack_dict.items():
  1004. extruder_info = self._machine_info.extruder_info_dict.get(position)
  1005. if not extruder_info:
  1006. continue
  1007. if "enabled" not in extruder_stack.getMetaData():
  1008. extruder_stack.setMetaDataEntry("enabled", "True")
  1009. extruder_stack.setMetaDataEntry("enabled", str(extruder_info.enabled))
  1010. # Set metadata fields that are missing from the global stack
  1011. for key, value in self._machine_info.metadata_dict.items():
  1012. if key not in _ignored_machine_network_metadata:
  1013. global_stack.setMetaDataEntry(key, value)
  1014. def _updateActiveMachine(self, global_stack):
  1015. # Actually change the active machine.
  1016. machine_manager = Application.getInstance().getMachineManager()
  1017. container_tree = ContainerTree.getInstance()
  1018. machine_manager.setActiveMachine(global_stack.getId())
  1019. # Set metadata fields that are missing from the global stack
  1020. for key, value in self._machine_info.metadata_dict.items():
  1021. if key not in global_stack.getMetaData() and key not in _ignored_machine_network_metadata:
  1022. global_stack.setMetaDataEntry(key, value)
  1023. if self._quality_changes_to_apply:
  1024. quality_changes_group_list = container_tree.getCurrentQualityChangesGroups()
  1025. quality_changes_group = next((qcg for qcg in quality_changes_group_list if qcg.name == self._quality_changes_to_apply), None)
  1026. if not quality_changes_group:
  1027. Logger.log("e", "Could not find quality_changes [%s]", self._quality_changes_to_apply)
  1028. return
  1029. machine_manager.setQualityChangesGroup(quality_changes_group, no_dialog = True)
  1030. else:
  1031. self._quality_type_to_apply = self._quality_type_to_apply.lower() if self._quality_type_to_apply else None
  1032. quality_group_dict = container_tree.getCurrentQualityGroups()
  1033. if self._quality_type_to_apply in quality_group_dict:
  1034. quality_group = quality_group_dict[self._quality_type_to_apply]
  1035. else:
  1036. Logger.log("i", "Could not find quality type [%s], switch to default", self._quality_type_to_apply)
  1037. preferred_quality_type = global_stack.getMetaDataEntry("preferred_quality_type")
  1038. quality_group = quality_group_dict.get(preferred_quality_type)
  1039. if quality_group is None:
  1040. Logger.log("e", "Could not get preferred quality type [%s]", preferred_quality_type)
  1041. if quality_group is not None:
  1042. machine_manager.setQualityGroup(quality_group, no_dialog = True)
  1043. # Also apply intent if available
  1044. available_intent_category_list = IntentManager.getInstance().currentAvailableIntentCategories()
  1045. if self._intent_category_to_apply is not None and self._intent_category_to_apply in available_intent_category_list:
  1046. machine_manager.setIntentByCategory(self._intent_category_to_apply)
  1047. # Notify everything/one that is to notify about changes.
  1048. global_stack.containersChanged.emit(global_stack.getTop())
  1049. @staticmethod
  1050. def _stripFileToId(file):
  1051. mime_type = MimeTypeDatabase.getMimeTypeForFile(file)
  1052. file = mime_type.stripExtension(file)
  1053. return file.replace("Cura/", "")
  1054. def _getXmlProfileClass(self):
  1055. return self._container_registry.getContainerForMimeType(MimeTypeDatabase.getMimeType("application/x-ultimaker-material-profile"))
  1056. @staticmethod
  1057. def _getContainerIdListFromSerialized(serialized):
  1058. """Get the list of ID's of all containers in a container stack by partially parsing it's serialized data."""
  1059. parser = ConfigParser(interpolation = None, empty_lines_in_values = False)
  1060. parser.read_string(serialized)
  1061. container_ids = []
  1062. if "containers" in parser:
  1063. for index, container_id in parser.items("containers"):
  1064. container_ids.append(container_id)
  1065. elif parser.has_option("general", "containers"):
  1066. container_string = parser["general"].get("containers", "")
  1067. container_list = container_string.split(",")
  1068. container_ids = [container_id for container_id in container_list if container_id != ""]
  1069. # HACK: there used to be 6 containers numbering from 0 to 5 in a stack,
  1070. # now we have 7: index 5 becomes "definition_changes"
  1071. if len(container_ids) == 6:
  1072. # Hack; We used to not save the definition changes. Fix this.
  1073. container_ids.insert(5, "empty")
  1074. return container_ids
  1075. @staticmethod
  1076. def _getMachineNameFromSerializedStack(serialized):
  1077. parser = ConfigParser(interpolation = None, empty_lines_in_values = False)
  1078. parser.read_string(serialized)
  1079. return parser["general"].get("name", "")
  1080. @staticmethod
  1081. def _getMetaDataDictFromSerializedStack(serialized: str) -> Dict[str, str]:
  1082. parser = ConfigParser(interpolation = None, empty_lines_in_values = False)
  1083. parser.read_string(serialized)
  1084. return dict(parser["metadata"])
  1085. @staticmethod
  1086. def _getMaterialLabelFromSerialized(serialized):
  1087. data = ET.fromstring(serialized)
  1088. metadata = data.iterfind("./um:metadata/um:name/um:label", {"um": "http://www.ultimaker.com/material"})
  1089. for entry in metadata:
  1090. return entry.text
  1091. @staticmethod
  1092. def _parse_packages_metadata(archive: zipfile.ZipFile) -> List[Dict[str, str]]:
  1093. try:
  1094. package_metadata = json.loads(archive.open("Cura/packages.json").read().decode("utf-8"))
  1095. return package_metadata["packages"]
  1096. except KeyError:
  1097. Logger.warning("No package metadata was found in .3mf file.")
  1098. except Exception:
  1099. Logger.error("Failed to load packages metadata from .3mf file.")
  1100. return []
  1101. @staticmethod
  1102. def _filter_missing_package_metadata(package_metadata: List[Dict[str, str]]) -> List[Dict[str, str]]:
  1103. """Filters out installed packages from package_metadata"""
  1104. missing_packages = []
  1105. package_manager = cast(CuraPackageManager, CuraApplication.getInstance().getPackageManager())
  1106. for package in package_metadata:
  1107. package_id = package["id"]
  1108. if not package_manager.isPackageInstalled(package_id):
  1109. missing_packages.append(package)
  1110. return missing_packages