ThreeMFWorkspaceWriter.py 7.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159
  1. # Copyright (c) 2020 Ultimaker B.V.
  2. # Cura is released under the terms of the LGPLv3 or higher.
  3. import configparser
  4. from io import StringIO
  5. import zipfile
  6. from UM.Application import Application
  7. from UM.Logger import Logger
  8. from UM.Preferences import Preferences
  9. from UM.Settings.ContainerRegistry import ContainerRegistry
  10. from UM.Workspace.WorkspaceWriter import WorkspaceWriter
  11. from UM.i18n import i18nCatalog
  12. catalog = i18nCatalog("cura")
  13. from cura.Utils.Threading import call_on_qt_thread
  14. class ThreeMFWorkspaceWriter(WorkspaceWriter):
  15. def __init__(self):
  16. super().__init__()
  17. @call_on_qt_thread
  18. def write(self, stream, nodes, mode=WorkspaceWriter.OutputMode.BinaryMode):
  19. application = Application.getInstance()
  20. machine_manager = application.getMachineManager()
  21. mesh_writer = application.getMeshFileHandler().getWriter("3MFWriter")
  22. if not mesh_writer: # We need to have the 3mf mesh writer, otherwise we can't save the entire workspace
  23. self.setInformation(catalog.i18nc("@error:zip", "3MF Writer plug-in is corrupt."))
  24. Logger.error("3MF Writer class is unavailable. Can't write workspace.")
  25. return False
  26. # Indicate that the 3mf mesh writer should not close the archive just yet (we still need to add stuff to it).
  27. mesh_writer.setStoreArchive(True)
  28. mesh_writer.write(stream, nodes, mode)
  29. archive = mesh_writer.getArchive()
  30. if archive is None: # This happens if there was no mesh data to write.
  31. archive = zipfile.ZipFile(stream, "w", compression = zipfile.ZIP_DEFLATED)
  32. global_stack = machine_manager.activeMachine
  33. try:
  34. # Add global container stack data to the archive.
  35. self._writeContainerToArchive(global_stack, archive)
  36. # Also write all containers in the stack to the file
  37. for container in global_stack.getContainers():
  38. self._writeContainerToArchive(container, archive)
  39. # Check if the machine has extruders and save all that data as well.
  40. for extruder_stack in global_stack.extruderList:
  41. self._writeContainerToArchive(extruder_stack, archive)
  42. for container in extruder_stack.getContainers():
  43. self._writeContainerToArchive(container, archive)
  44. except PermissionError:
  45. self.setInformation(catalog.i18nc("@error:zip", "No permission to write the workspace here."))
  46. Logger.error("No permission to write workspace to this stream.")
  47. return False
  48. # Write preferences to archive
  49. original_preferences = Application.getInstance().getPreferences() #Copy only the preferences that we use to the workspace.
  50. temp_preferences = Preferences()
  51. for preference in {"general/visible_settings", "cura/active_mode", "cura/categories_expanded", "metadata/setting_version"}:
  52. temp_preferences.addPreference(preference, None)
  53. temp_preferences.setValue(preference, original_preferences.getValue(preference))
  54. preferences_string = StringIO()
  55. temp_preferences.writeToFile(preferences_string)
  56. preferences_file = zipfile.ZipInfo("Cura/preferences.cfg")
  57. try:
  58. archive.writestr(preferences_file, preferences_string.getvalue())
  59. # Save Cura version
  60. version_file = zipfile.ZipInfo("Cura/version.ini")
  61. version_config_parser = configparser.ConfigParser(interpolation = None)
  62. version_config_parser.add_section("versions")
  63. version_config_parser.set("versions", "cura_version", application.getVersion())
  64. version_config_parser.set("versions", "build_type", application.getBuildType())
  65. version_config_parser.set("versions", "is_debug_mode", str(application.getIsDebugMode()))
  66. version_file_string = StringIO()
  67. version_config_parser.write(version_file_string)
  68. archive.writestr(version_file, version_file_string.getvalue())
  69. self._writePluginMetadataToArchive(archive)
  70. # Close the archive & reset states.
  71. archive.close()
  72. except PermissionError:
  73. self.setInformation(catalog.i18nc("@error:zip", "No permission to write the workspace here."))
  74. Logger.error("No permission to write workspace to this stream.")
  75. return False
  76. except EnvironmentError as e:
  77. self.setInformation(catalog.i18nc("@error:zip", "The operating system does not allow saving a project file to this location or with this file name."))
  78. Logger.error("EnvironmentError when writing workspace to this stream: {err}".format(err = str(e)))
  79. return False
  80. mesh_writer.setStoreArchive(False)
  81. return True
  82. @staticmethod
  83. def _writePluginMetadataToArchive(archive: zipfile.ZipFile) -> None:
  84. file_name_template = "%s/plugin_metadata.json"
  85. for plugin_id, metadata in Application.getInstance().getWorkspaceMetadataStorage().getAllData().items():
  86. file_name = file_name_template % plugin_id
  87. file_in_archive = zipfile.ZipInfo(file_name)
  88. # We have to set the compress type of each file as well (it doesn't keep the type of the entire archive)
  89. file_in_archive.compress_type = zipfile.ZIP_DEFLATED
  90. import json
  91. archive.writestr(file_in_archive, json.dumps(metadata, separators = (", ", ": "), indent = 4, skipkeys = True))
  92. @staticmethod
  93. def _writeContainerToArchive(container, archive):
  94. """Helper function that writes ContainerStacks, InstanceContainers and DefinitionContainers to the archive.
  95. :param container: That follows the :type{ContainerInterface} to archive.
  96. :param archive: The archive to write to.
  97. """
  98. if isinstance(container, type(ContainerRegistry.getInstance().getEmptyInstanceContainer())):
  99. return # Empty file, do nothing.
  100. file_suffix = ContainerRegistry.getMimeTypeForContainer(type(container)).preferredSuffix
  101. # Some containers have a base file, which should then be the file to use.
  102. if "base_file" in container.getMetaData():
  103. base_file = container.getMetaDataEntry("base_file")
  104. if base_file != container.getId():
  105. container = ContainerRegistry.getInstance().findContainers(id = base_file)[0]
  106. file_name = "Cura/%s.%s" % (container.getId(), file_suffix)
  107. try:
  108. if file_name in archive.namelist():
  109. return # File was already saved, no need to do it again. Uranium guarantees unique ID's, so this should hold.
  110. file_in_archive = zipfile.ZipInfo(file_name)
  111. # For some reason we have to set the compress type of each file as well (it doesn't keep the type of the entire archive)
  112. file_in_archive.compress_type = zipfile.ZIP_DEFLATED
  113. # Do not include the network authentication keys
  114. ignore_keys = {
  115. "um_cloud_cluster_id",
  116. "um_network_key",
  117. "um_linked_to_account",
  118. "removal_warning",
  119. "host_guid",
  120. "group_name",
  121. "group_size",
  122. "connection_type",
  123. "octoprint_api_key"
  124. }
  125. serialized_data = container.serialize(ignored_metadata_keys = ignore_keys)
  126. archive.writestr(file_in_archive, serialized_data)
  127. except (FileNotFoundError, EnvironmentError):
  128. Logger.error("File became inaccessible while writing to it: {archive_filename}".format(archive_filename = archive.fp.name))
  129. return